diff --git a/CHANGELOG.md b/CHANGELOG.md index 69204b2d15..6babe2f904 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,5 +1,16 @@ # Changelog +## [3.0.4+portage-3.0.12] - 2022-08-26 +### Added + +- Added french translation of the Request Feedback email [#188](https://github.com/portagenetwork/roadmap/issues/188) + +### Fixed + +- Allowed user to proceed after checking 'No primary research institution' checkbox when creating a new plan [#221](https://github.com/portagenetwork/roadmap/issues/221) + +- Removed unmanaged organizations from the selection list when a user creates a new plan [#191](https://github.com/portagenetwork/roadmap/issues/191) + ## [3.0.4+portage-3.0.13] - 2022-07-13 ### Changed diff --git a/app/controllers/plans_controller.rb b/app/controllers/plans_controller.rb index e5ce8c46d3..a15397362b 100644 --- a/app/controllers/plans_controller.rb +++ b/app/controllers/plans_controller.rb @@ -565,7 +565,8 @@ def setup_local_orgs @orgs = (Org.includes(identifiers: :identifier_scheme).organisation + Org.includes(identifiers: :identifier_scheme).institution + Org.includes(identifiers: :identifier_scheme).default_orgs) - @orgs = @orgs.flatten.uniq.sort_by(&:name) + @orgs = @orgs.flatten.uniq.sort_by(&:name) + end end diff --git a/app/controllers/template_options_controller.rb b/app/controllers/template_options_controller.rb index 77b19f4ae1..48b1511320 100644 --- a/app/controllers/template_options_controller.rb +++ b/app/controllers/template_options_controller.rb @@ -20,19 +20,17 @@ def index @templates = [] - if (org.present? && !org.new_record?) || - (funder.present? && !funder.new_record?) + if (org.present? && !org.new_record?) || (funder.present? && !funder.new_record?) if funder.present? && !funder.new_record? - # Load the funder's template(s) minus the default template (that gets swapped - # in below if NO other templates are available) - @templates = Template.latest_customizable - .where(org_id: funder.id, is_default: false).to_a if org.present? && !org.new_record? + # Load the funder's template(s) minus the default template (that gets swapped + # in below if NO other templates are available) + @templates = Template.latest_customizable.where(org_id: funder.id, is_default: false).to_a # Swap out any organisational cusotmizations of a funder template @templates = @templates.map do |tmplt| customization = Template.published .latest_customized_version(tmplt.family_id, - org.id).first + org.id).first # Only provide the customized version if its still up to date with the # funder template! # rubocop:disable Metrics/BlockNesting @@ -41,49 +39,31 @@ def index else tmplt end - # rubocop:enable Metrics/BlockNesting end + # We are using a default funder to provide with the default templates, but + # We still want to provide the organization templates. + # If the no funder was specified OR the funder matches the org + # if funder.blank? || funder.id == org&.id + # Retrieve the Org's templates + @templates << Template.published.organisationally_visible.where(org_id: org.id, customization_of: nil).to_a + @templates = @templates.flatten.uniq + else # if'No Primary Research Institution' checkbox is checked, only show publicly available template without customization + @templates = Template.published.publicly_visible.where(org_id: funder.id, customization_of: nil) end + # DMP Assistant: We do not want to include not customized templates from default funder + # Include customizable funder templates + # @templates << funder_templates = Template.latest_customizable + # Always use the default template + if Template.default.present? && org.present? + customization = Template.published.latest_customized_version(Template.default.family_id, org.id).first + customization = Template.default unless customization + @templates.select! { |t| t.id != Template.default.id && t.id != customization.id} + # We want the default template to appear at the beggining of the list + @templates.unshift(customization) + end + @templates = @templates.uniq.sort_by(&:title) end - - # We are using a default funder to provide with the default templates, but - # We still want to provide the organization templates. - - # If the no funder was specified OR the funder matches the org - # if funder.blank? || funder.id == org&.id - # Retrieve the Org's templates - @templates << Template.published - .organisationally_visible - .where(org_id: org.id, customization_of: nil).to_a - # end - - # DMP Assistant: We do not want to include not customized templates from - # default funder - - # Include customizable funder templates - # @templates << funder_templates = Template.latest_customizable - - @templates = @templates.flatten.uniq end - - @templates = @templates.uniq.sort_by(&:title) - - # Always use the default template - - if Template.default.present? - customization = Template.published - .latest_customized_version(Template.default.family_id, - org.id).first - - customization = Template.default unless customization - - @templates.select! { |t| t.id != Template.default.id && t.id != customization.id} - - # We want the default template to appear at the beggining of the list - @templates.unshift(customization) - end - - end # rubocop:enable Metrics/AbcSize, Metrics/MethodLength # rubocop:enable diff --git a/app/javascript/src/plans/new.js b/app/javascript/src/plans/new.js index 4782482dd6..68cb004f61 100644 --- a/app/javascript/src/plans/new.js +++ b/app/javascript/src/plans/new.js @@ -85,6 +85,7 @@ $(() => { const orgContext = $('#research-org-controls'); const funderContext = $('#funder-org-controls'); const validOrg = validOptions(orgContext); + // DMP Assistant does not require a funder for creating a plan. Instead the // Plan controller will search for the default funder when creating the // plan. In our current case this will be "Portage Network" @@ -101,7 +102,7 @@ $(() => { $('#plan_template_id option').remove(); let orgId = orgContext.find('input[id$="org_id"]').val(); - let funderId = funderContext.find('input[id$="funder_id"]').val(); + let funderId = funderContext.find('input[id$="funder_id"]').val(); // funder id is default to 8 (Portage Network) // For some reason Rails freaks out it everything is empty so send // the word "none" instead and handle on the controller side @@ -111,13 +112,14 @@ $(() => { if (funderId.length <= 0) { funderId = '"none"'; } - const data = `{"plan": {"research_org_id":${orgId},"funder_id":${funderId}}}`; - + // Pass '8'(portage network) for DMP Assistant directly to funder_id, + // Otherwise it will automatically add an extra 'name' attribute + const data = `{"research_org_id":${orgId},"funder_id":8}`; // Fetch the available templates based on the funder and research org selected - $.ajax({ - url: $('#template-option-target').val(), - data: JSON.parse(data), - }).done(success).fail(error); + $.get($('#template-option-target').val(), + { + plan: JSON.parse(data), + }).done(success).fail(error); } }, 150); diff --git a/app/mailers/user_mailer.rb b/app/mailers/user_mailer.rb index 86a52ad1dc..be1df3b698 100644 --- a/app/mailers/user_mailer.rb +++ b/app/mailers/user_mailer.rb @@ -105,7 +105,7 @@ def feedback_notification(recipient, plan, requestor) @recipient_name = @recipient.name(false) @requestor_name = @user.name(false) @plan_name = @plan.title - + I18n.with_locale I18n.default_locale do mail(to: @recipient.email, subject: _("%{user_name} has requested feedback on a %{tool_name} plan") % diff --git a/app/views/plans/new.html.erb b/app/views/plans/new.html.erb index bf7d4bf754..76147317d6 100644 --- a/app/views/plans/new.html.erb +++ b/app/views/plans/new.html.erb @@ -41,7 +41,7 @@ - +

*<%= required_research_org_tooltip %> <%= _('Indicate the primary research organisation') %> @@ -51,12 +51,14 @@ <%= research_org_tooltip %> <% dflt = @orgs.include?(current_user.org) ? current_user.org : nil %> <%= f.fields_for :org, @plan.org do |org_fields| %> + + <%= render partial: "shared/org_selectors/local_only", locals: { form: org_fields, id_field: :id, default_org: nil, - orgs: @orgs, + orgs: @orgs.filter { |org| org.managed == true }, required: false } %> <% end %> diff --git a/app/views/user_mailer/feedback_notification.html.erb b/app/views/user_mailer/feedback_notification.html.erb index b2352e9b52..0d329f196a 100644 --- a/app/views/user_mailer/feedback_notification.html.erb +++ b/app/views/user_mailer/feedback_notification.html.erb @@ -2,17 +2,20 @@ <%= _('Hello %{user_name},') % {user_name: @recipient_name} %>

- <%= sanitize _(%Q{%{requestor} has requested feedback on a plan %{link_html}. To add comments, please visit the 'Plans' page under the Admin menu in %{tool_name} and open the plan.}) % { + <%= + sanitize _('%{requestor} has requested feedback on a plan %{link_html}. To add comments, please visit the "Plans" page under the Admin menu in %{tool_name} and open the plan.') % { requestor: @requestor_name, plan_name: @plan_name, tool_name: tool_name, allow_change_prefs: false, link_html: link_to(@plan_name, plan_url(@plan)) - } %> + } + %>

- Alternatively, you can click the link below:
+ <%= _("Alternatively, you can click the link below:") %> +
<%= link_to plan_url(@plan), plan_url(@plan) %>

diff --git a/config/brakeman.ignore b/config/brakeman.ignore index 29913b7971..9ae61cd21f 100644 --- a/config/brakeman.ignore +++ b/config/brakeman.ignore @@ -1,21 +1,5 @@ { "ignored_warnings": [ - { - "warning_type": "Unmaintained Dependency", - "warning_code": 122, - "fingerprint": "21ab0fe00fdd5899ffc405cff75aadb91b805ee996a614f7e27b08a287e9062d", - "check_name": "EOLRails", - "message": "Support for Rails 5.2.6.2 ends on 2022-06-01", - "file": "Gemfile.lock", - "line": 368, - "link": "https://brakemanscanner.org/docs/warning_types/unmaintained_dependency/", - "code": null, - "render_path": null, - "location": null, - "user_input": null, - "confidence": "Weak", - "note": "" - }, { "warning_type": "SQL Injection", "warning_code": 0, @@ -36,22 +20,6 @@ "confidence": "Medium", "note": "" }, - { - "warning_type": "Unmaintained Dependency", - "warning_code": 121, - "fingerprint": "9a3951031616a07c8e02c86652f537e92c08685da97f5ec2b12d5d3602b55bb8", - "check_name": "EOLRuby", - "message": "Support for Ruby 2.6.3 ended on 2022-03-31", - "file": "Gemfile.lock", - "line": 368, - "link": "https://brakemanscanner.org/docs/warning_types/unmaintained_dependency/", - "code": null, - "render_path": null, - "location": null, - "user_input": null, - "confidence": "High", - "note": "" - }, { "warning_type": "Redirect", "warning_code": 18, @@ -59,7 +27,7 @@ "check_name": "Redirect", "message": "Possible unprotected redirect", "file": "app/controllers/plans_controller.rb", - "line": 391, + "line": 390, "link": "https://brakemanscanner.org/docs/warning_types/redirect/", "code": "redirect_to(Plan.deep_copy(Plan.find(params[:id])), :notice => success_message(Plan.deep_copy(Plan.find(params[:id])), _(\"copied\")))", "render_path": null, @@ -93,6 +61,6 @@ "note": "" } ], - "updated": "2022-04-05 08:31:53 -0700", - "brakeman_version": "5.2.1" + "updated": "2022-05-04 12:37:38 -0400", + "brakeman_version": "5.1.1" } diff --git a/config/database.yml b/config/database.yml index 43611af4ce..44d30e7763 100755 --- a/config/database.yml +++ b/config/database.yml @@ -34,4 +34,4 @@ sandbox: production: <<: *defaults - url: <%= Rails.application.secrets.database_url %> + url: <%= Rails.application.secrets.database_url %> \ No newline at end of file diff --git a/config/locale/app.pot b/config/locale/app.pot index 087abe9731..d36f37f153 100644 --- a/config/locale/app.pot +++ b/config/locale/app.pot @@ -8,8 +8,8 @@ msgid "" msgstr "" "Project-Id-Version: integration 1.0\n" "Report-Msgid-Bugs-To: contact@translation.io\n" -"POT-Creation-Date: 2022-04-01 11:53-0400\n" -"PO-Revision-Date: 2022-04-01 11:53-0400\n" +"POT-Creation-Date: 2022-05-05 12:50-0400\n" +"PO-Revision-Date: 2022-05-05 12:50-0400\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" "Language: \n" @@ -123,63 +123,63 @@ msgstr "" msgid "No Plans found" msgstr "" -#: ../../app/controllers/application_controller.rb:38 +#: ../../app/controllers/application_controller.rb:39 msgid "You are not authorized to perform this action." msgstr "" -#: ../../app/controllers/application_controller.rb:42 +#: ../../app/controllers/application_controller.rb:43 msgid "You need to sign in or sign up before continuing." msgstr "" -#: ../../app/controllers/application_controller.rb:108 +#: ../../app/controllers/application_controller.rb:109 msgid "Unable to %{action} the %{object}.%{errors}" msgstr "" -#: ../../app/controllers/application_controller.rb:116 +#: ../../app/controllers/application_controller.rb:117 msgid "Successfully %{action} the %{object}." msgstr "" -#: ../../app/controllers/application_controller.rb:131 +#: ../../app/controllers/application_controller.rb:132 msgid "API client" msgstr "" -#: ../../app/controllers/application_controller.rb:132 +#: ../../app/controllers/application_controller.rb:133 msgid "plan" msgstr "" -#: ../../app/controllers/application_controller.rb:133 +#: ../../app/controllers/application_controller.rb:134 msgid "guidance group" msgstr "" -#: ../../app/controllers/application_controller.rb:134 +#: ../../app/controllers/application_controller.rb:135 msgid "comment" msgstr "" -#: ../../app/controllers/application_controller.rb:135 +#: ../../app/controllers/application_controller.rb:136 msgid "organisation" msgstr "" -#: ../../app/controllers/application_controller.rb:136 +#: ../../app/controllers/application_controller.rb:137 msgid "permission" msgstr "" -#: ../../app/controllers/application_controller.rb:137 +#: ../../app/controllers/application_controller.rb:138 msgid "preferences" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "profile" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "user" msgstr "" -#: ../../app/controllers/application_controller.rb:139 +#: ../../app/controllers/application_controller.rb:140 msgid "question option" msgstr "" -#: ../../app/controllers/application_controller.rb:184 +#: ../../app/controllers/application_controller.rb:185 msgid "Record Not Found" msgstr "" @@ -492,7 +492,7 @@ msgstr "" #: ../../app/helpers/plans_helper.rb:22 ../../app/helpers/plans_helper.rb:52 #: ../../app/helpers/settings_template_helper.rb:15 #: ../../app/views/devise/registrations/_password_confirmation.html.erb:22 -#: ../../app/views/orgs/_profile_form.html.erb:154 +#: ../../app/views/orgs/_profile_form.html.erb:152 #: ../../app/views/paginable/orgs/_index.html.erb:5 #: ../../app/views/paginable/plans/_org_admin.html.erb:20 #: ../../app/views/paginable/plans/_org_admin_other_user.html.erb:7 @@ -1203,12 +1203,12 @@ msgid "Plan Description" msgstr "" #: ../../app/helpers/settings_template_helper.rb:14 -#: ../../app/views/orgs/_profile_form.html.erb:142 +#: ../../app/views/orgs/_profile_form.html.erb:140 #: ../../app/views/paginable/templates/_customisable.html.erb:7 #: ../../app/views/paginable/templates/_organisational.html.erb:12 #: ../../app/views/plans/_project_details.html.erb:156 #: ../../app/views/plans/_show_details.html.erb:12 -#: ../../app/views/plans/new.html.erb:87 +#: ../../app/views/plans/new.html.erb:88 msgid "Funder" msgstr "" @@ -1234,7 +1234,7 @@ msgstr "" #: ../../app/helpers/template_helper.rb:46 #: ../../app/views/plans/index.html.erb:29 -#: ../../app/views/plans/new.html.erb:125 +#: ../../app/views/plans/new.html.erb:126 #: ../../app/views/shared/_create_plan_modal.html.erb:5 msgid "Create plan" msgstr "" @@ -1369,13 +1369,13 @@ msgid "%{grant_number}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -#: ../../app/views/shared/export/_plan_coversheet.erb:26 -#: ../../app/views/shared/export/_plan_txt.erb:15 -msgid "Project abstract: " +msgid "%{description}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -msgid "%{description}" +#: ../../app/views/shared/export/_plan_coversheet.erb:26 +#: ../../app/views/shared/export/_plan_txt.erb:15 +msgid "Project abstract: " msgstr "" #: ../../app/models/concerns/exportable_plan.rb:148 @@ -1450,14 +1450,14 @@ msgstr "" msgid "Selected option(s)" msgstr "" -#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 -msgid "Answered by" -msgstr "" - #: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:118 msgid "Answered at" msgstr "" +#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 +msgid "Answered by" +msgstr "" + #: ../../app/models/exported_plan.rb:162 msgid "Details" msgstr "" @@ -1496,13 +1496,12 @@ msgstr "" msgid "public" msgstr "" -<<<<<<< HEAD -#: ../../app/models/plan.rb:59 -======= #: ../../app/models/plan.rb:59 ../../tmp/translation/database_strings.rb:46 #: ../../tmp/translation/database_strings.rb:76 -#: ../../tmp/translation/database_strings.rb:103 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:106 +#: ../../tmp/translation/database_strings.rb:276 +#: ../../tmp/translation/database_strings.rb:492 +#: ../../tmp/translation/database_strings.rb:939 msgid "test" msgstr "" @@ -1661,10 +1660,7 @@ msgid "Plans" msgstr "" #: ../../app/models/user/at_csv.rb:8 -#: ../../app/views/paginable/notifications/_index.html.erb:8 -#: ../../app/views/paginable/users/_index.html.erb:28 -#: ../../app/views/super_admin/notifications/_form.html.erb:34 -msgid "Active" +msgid "Department" msgstr "" #: ../../app/models/user/at_csv.rb:8 @@ -1673,7 +1669,10 @@ msgid "Current Privileges" msgstr "" #: ../../app/models/user/at_csv.rb:8 -msgid "Department" +#: ../../app/views/paginable/notifications/_index.html.erb:8 +#: ../../app/views/paginable/users/_index.html.erb:28 +#: ../../app/views/super_admin/notifications/_form.html.erb:34 +msgid "Active" msgstr "" #: ../../app/policies/api/v0/departments_policy.rb:12 @@ -1871,7 +1870,7 @@ msgstr "" #: ../../app/views/org_admin/templates/_form.html.erb:85 #: ../../app/views/org_admin/users/edit.html.erb:54 #: ../../app/views/orgs/_feedback_form.html.erb:38 -#: ../../app/views/orgs/_profile_form.html.erb:190 +#: ../../app/views/orgs/_profile_form.html.erb:188 #: ../../app/views/plans/_edit_details.html.erb:11 #: ../../app/views/plans/_guidance_selection.html.erb:23 #: ../../app/views/questions/_preview_question.html.erb:111 @@ -2047,7 +2046,7 @@ msgstr "" #: ../../app/views/org_admin/questions/_form.html.erb:105 #: ../../app/views/org_admin/questions/_form.html.erb:107 #: ../../app/views/plans/_guidance_selection.html.erb:35 -#: ../../app/views/plans/new.html.erb:126 +#: ../../app/views/plans/new.html.erb:127 #: ../../app/views/super_admin/api_clients/_form.html.erb:86 #: ../../app/views/super_admin/notifications/_form.html.erb:73 #: ../../app/views/super_admin/themes/_form.html.erb:19 @@ -2123,7 +2122,7 @@ msgstr "" #: ../../app/views/devise/invitations/edit.html.erb:40 #: ../../app/views/devise/registrations/new.html.erb:43 #: ../../app/views/devise/registrations/new.html.erb:58 -#: ../../app/views/shared/_access_controls.html.erb:11 +#: ../../app/views/shared/_access_controls.html.erb:12 #: ../../app/views/shared/_create_account_form.html.erb:53 msgid "Create account" msgstr "" @@ -2358,7 +2357,7 @@ msgid "" msgstr "" #: ../../app/views/devise/registrations/_password_confirmation.html.erb:11 -#: ../../app/views/devise/registrations/edit.html.erb:17 +#: ../../app/views/devise/registrations/edit.html.erb:18 #: ../../app/views/shared/_create_account_form.html.erb:27 #: ../../app/views/shared/_sign_in_form.html.erb:7 msgid "Password" @@ -2437,11 +2436,11 @@ msgstr "" msgid "Personal Details" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:22 +#: ../../app/views/devise/registrations/edit.html.erb:24 msgid "API Access" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:27 +#: ../../app/views/devise/registrations/edit.html.erb:29 msgid "Notification Preferences" msgstr "" @@ -2457,7 +2456,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:69 #: ../../app/views/layouts/_signin_signout.html.erb:41 #: ../../app/views/shared/_access_controls.html.erb:5 -#: ../../app/views/shared/_sign_in_form.html.erb:19 +#: ../../app/views/shared/_sign_in_form.html.erb:21 msgid "Sign in" msgstr "" @@ -2875,7 +2874,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:13 #: ../../app/views/layouts/_navigation.html.erb:12 -#: ../../app/views/orgs/_profile_form.html.erb:58 +#: ../../app/views/orgs/_profile_form.html.erb:56 msgid "logo" msgstr "" @@ -2967,11 +2966,11 @@ msgid "%{application_name}" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Error:" +msgid "Notice:" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Notice:" +msgid "Error:" msgstr "" #: ../../app/views/layouts/application.html.erb:115 @@ -3342,11 +3341,11 @@ msgid "Feedback requested" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Notify the plan owner that I have finished providing feedback" +msgid "Complete" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Complete" +msgid "Notify the plan owner that I have finished providing feedback" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:39 @@ -3360,8 +3359,8 @@ msgid "Order" msgstr "" #: ../../app/views/org_admin/question_options/_option_fields.html.erb:6 -#: ../../app/views/orgs/_profile_form.html.erb:134 -#: ../../app/views/orgs/_profile_form.html.erb:163 +#: ../../app/views/orgs/_profile_form.html.erb:132 +#: ../../app/views/orgs/_profile_form.html.erb:161 #: ../../app/views/paginable/guidances/_index.html.erb:6 #: ../../app/views/shared/_links.html.erb:13 msgid "Text" @@ -3672,11 +3671,11 @@ msgid "New Template" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template History" +msgid "Template Customisation History" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template Customisation History" +msgid "Template History" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:10 @@ -3828,78 +3827,78 @@ msgid "" "ort_email} if you have questions or to request changes." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:24 +#: ../../app/views/orgs/_profile_form.html.erb:22 msgid "Organisation full name" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:30 +#: ../../app/views/orgs/_profile_form.html.erb:28 msgid "Organisation abbreviated name" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:41 +#: ../../app/views/orgs/_profile_form.html.erb:39 msgid "" "A managed Org is one that can have its own Guidance and/or Templates. An unman" "aged Org is one that was automatically created by the system when a user enter" "ed/selected it." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:42 +#: ../../app/views/orgs/_profile_form.html.erb:40 msgid "Managed? (allows Org Admins to access the Admin menu)" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:54 +#: ../../app/views/orgs/_profile_form.html.erb:52 msgid "Organization logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:62 +#: ../../app/views/orgs/_profile_form.html.erb:60 msgid "This will remove your organisation's logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:63 +#: ../../app/views/orgs/_profile_form.html.erb:61 msgid "Remove logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:65 +#: ../../app/views/orgs/_profile_form.html.erb:63 #: ../../app/views/orgs/shibboleth_ds.html.erb:34 -#: ../../app/views/plans/new.html.erb:64 ../../app/views/plans/new.html.erb:94 -#: ../../app/views/shared/_sign_in_form.html.erb:23 +#: ../../app/views/plans/new.html.erb:65 ../../app/views/plans/new.html.erb:95 +#: ../../app/views/shared/_sign_in_form.html.erb:25 msgid "or" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:82 +#: ../../app/views/orgs/_profile_form.html.erb:80 msgid "Organisation URLs" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:94 +#: ../../app/views/orgs/_profile_form.html.erb:92 msgid "Administrator contact" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:99 +#: ../../app/views/orgs/_profile_form.html.erb:97 msgid "Contact email" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:103 +#: ../../app/views/orgs/_profile_form.html.erb:101 #: ../../app/views/shared/_links.html.erb:35 msgid "Link text" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:114 +#: ../../app/views/orgs/_profile_form.html.erb:112 msgid "Google Analytics Tracker" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:120 +#: ../../app/views/orgs/_profile_form.html.erb:118 msgid "Tracker Code" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:133 +#: ../../app/views/orgs/_profile_form.html.erb:131 msgid "Organisation Types" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:148 +#: ../../app/views/orgs/_profile_form.html.erb:146 msgid "Institution" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:162 +#: ../../app/views/orgs/_profile_form.html.erb:160 msgid "Organisation type(s)" msgstr "" @@ -4265,11 +4264,11 @@ msgid "Create a new plan" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "(if available)" +msgid "Sample Plans" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "Sample Plans" +msgid "(if available)" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:47 @@ -4724,33 +4723,33 @@ msgstr "" msgid "What research project are you planning?" msgstr "" -#: ../../app/views/plans/new.html.erb:47 +#: ../../app/views/plans/new.html.erb:48 msgid "Indicate the primary research organisation" msgstr "" -#: ../../app/views/plans/new.html.erb:67 +#: ../../app/views/plans/new.html.erb:68 msgid "" "No research organisation associated with this plan or my research organisation" " is not listed" msgstr "" -#: ../../app/views/plans/new.html.erb:78 +#: ../../app/views/plans/new.html.erb:79 msgid "Select the primary funding organisation" msgstr "" -#: ../../app/views/plans/new.html.erb:97 +#: ../../app/views/plans/new.html.erb:98 msgid "No funder associated with this plan or my funder is not listed" msgstr "" -#: ../../app/views/plans/new.html.erb:110 +#: ../../app/views/plans/new.html.erb:111 msgid "Which DMP template would you like to use?" msgstr "" -#: ../../app/views/plans/new.html.erb:113 +#: ../../app/views/plans/new.html.erb:114 msgid "Please select a template" msgstr "" -#: ../../app/views/plans/new.html.erb:118 +#: ../../app/views/plans/new.html.erb:119 msgid "" "We found multiple DMP templates corresponding to your primary research organis" "ation" @@ -4842,15 +4841,15 @@ msgstr "" msgid "Search" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:11 +#: ../../app/views/shared/_sign_in_form.html.erb:12 msgid "Forgot password?" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:16 +#: ../../app/views/shared/_sign_in_form.html.erb:18 msgid "Remember email" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:27 +#: ../../app/views/shared/_sign_in_form.html.erb:29 msgid "Sign in with your institutional credentials" msgstr "" @@ -4995,27 +4994,23 @@ msgid "If you have an account please sign in and start creating or editing your msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "Sign up" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -<<<<<<< HEAD -msgid "If you do not have a %{application_name} account, click on" -======= -msgid "Sign up" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid "on the homepage." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "If you do not have a %{application_name} account, click on" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "page for guidance." +msgid "Please visit the" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "Please visit the" +msgid "page for guidance." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:43 @@ -5334,11 +5329,11 @@ msgid "New API Client" msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Unable to regenerate the client credentials." +msgid "Successfully regenerated the client credentials." msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Successfully regenerated the client credentials." +msgid "Unable to regenerate the client credentials." msgstr "" #: ../../app/views/super_admin/notifications/_form.html.erb:20 @@ -5582,11 +5577,7 @@ msgid "Data Organisation" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:8 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:105 -======= -#: ../../tmp/translation/database_strings.rb:108 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:109 msgid "Data Organization" msgstr "" @@ -5704,71 +5695,43 @@ msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:41 #: ../../tmp/translation/database_strings.rb:2 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:96 -======= -#: ../../tmp/translation/database_strings.rb:99 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:98 msgid "Data Collection" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:42 #: ../../tmp/translation/database_strings.rb:3 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:101 -======= -#: ../../tmp/translation/database_strings.rb:110 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:105 msgid "Documentation and Metadata" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:43 #: ../../tmp/translation/database_strings.rb:4 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:107 -======= -#: ../../tmp/translation/database_strings.rb:114 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:116 msgid "Storage and Backup" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:44 #: ../../tmp/translation/database_strings.rb:5 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:112 -======= -#: ../../tmp/translation/database_strings.rb:117 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:120 msgid "Preservation" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:45 #: ../../tmp/translation/database_strings.rb:6 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:118 -======= -#: ../../tmp/translation/database_strings.rb:121 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:124 msgid "Sharing and Reuse" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:46 #: ../../tmp/translation/database_strings.rb:7 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:121 -======= -#: ../../tmp/translation/database_strings.rb:125 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:127 msgid "Responsibilities and Resources" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:47 #: ../../tmp/translation/database_strings.rb:8 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:125 -======= -#: ../../tmp/translation/database_strings.rb:128 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:130 msgid "Ethics and Legal Compliance" msgstr "" @@ -5794,11 +5757,7 @@ msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:52 #: ../../tmp/translation/database_strings.rb:11 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:143 -======= -#: ../../tmp/translation/database_strings.rb:147 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:151 msgid "" "Planning how research data will be stored and backed up throughout and beyond " "a research project is critical in ensuring data security and integrity. Approp" @@ -5809,11 +5768,7 @@ msgid "" msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:53 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:150 -======= -#: ../../tmp/translation/database_strings.rb:154 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:157 msgid "" "Data preservation will depend on potential reuse value, whether there are obli" "gations to either retain or destroy data, and the resources required to proper" @@ -5825,11 +5780,7 @@ msgstr "" #: ../../app/views/translation_io_exports/_themes.html.erb:54 #: ../../tmp/translation/database_strings.rb:13 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:153 -======= -#: ../../tmp/translation/database_strings.rb:156 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:159 msgid "" "Most Canadian research funding agencies now have policies requiring research d" "ata to be shared upon publication of the research results or within a reasonab" @@ -6045,6 +5996,10 @@ msgid "" " plan." msgstr "" +#: ../../app/views/user_mailer/feedback_notification.html.erb:15 +msgid "Alternatively, you can click the link below:" +msgstr "" + #: ../../app/views/user_mailer/new_comment.html.erb:5 msgid "" "%{commenter_name} has commented on your plan %{plan_title}. To view the commen" @@ -6119,37 +6074,24 @@ msgid "Hello %{recipient_name}," msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD -msgid " to " -======= -msgid " in a plan called " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " is creating a Data Management Plan and has answered " +msgid " based on the template " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD msgid " is creating a Data Management Plan and has answered " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " in a plan called " -======= msgid " to " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " based on the template " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid " in a plan called " msgstr "" #: ../../app/views/user_mailer/sharing_notification.html.erb:5 msgid "" -"Your colleague %{inviter_name} has invited you to contribute to -\n" +"Your colleague %{inviter_name} has invited you to contribute to \n" " their Data Management Plan in %{tool_name}" msgstr "" @@ -6299,15 +6241,7 @@ msgid "Unable to regenerate your API token." msgstr "" #: ../../tmp/translation/database_strings.rb:9 -#: ../../tmp/translation/database_strings.rb:132 -msgid "" -"This section addresses data collection issues such as data types, file formats" -", naming conventions, and data organization – factors that will improve the us" -"ability of your data and contribute to the success of your project.\n" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:9 -#: ../../tmp/translation/database_strings.rb:128 +#: ../../tmp/translation/database_strings.rb:134 msgid "" "This section addresses data collection issues such as data types, file formats" ", naming conventions, and data organization – factors that will improve the us" @@ -6387,11 +6321,7 @@ msgid "Portage Template" msgstr "" #: ../../tmp/translation/database_strings.rb:33 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:62 -======= #: ../../tmp/translation/database_strings.rb:63 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Qualitative Health Sciences Research" msgstr "" @@ -6400,20 +6330,12 @@ msgid "Portage Template for Interdisciplinary Health Software/Technology Develop msgstr "" #: ../../tmp/translation/database_strings.rb:35 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:64 -======= #: ../../tmp/translation/database_strings.rb:65 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Arts-Based Research" msgstr "" #: ../../tmp/translation/database_strings.rb:36 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:65 -======= #: ../../tmp/translation/database_strings.rb:66 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Mixed Methods (Surveys & Qualitative Research)" msgstr "" @@ -6430,38 +6352,22 @@ msgid "Portage CRDCN Template for Research Data Centres and External Analysis" msgstr "" #: ../../tmp/translation/database_strings.rb:40 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:69 -======= #: ../../tmp/translation/database_strings.rb:70 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Water Quality Research" msgstr "" #: ../../tmp/translation/database_strings.rb:41 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:70 -======= #: ../../tmp/translation/database_strings.rb:71 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Systematic Reviews" msgstr "" #: ../../tmp/translation/database_strings.rb:42 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:71 -======= #: ../../tmp/translation/database_strings.rb:72 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Studying Molecular Interactions" msgstr "" #: ../../tmp/translation/database_strings.rb:43 -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:72 -======= #: ../../tmp/translation/database_strings.rb:73 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Portage Template for Open Science Workflows" msgstr "" @@ -6471,70 +6377,22 @@ msgstr "" #: ../../tmp/translation/database_strings.rb:45 msgid "Portage CRDCN Template for Accessing Data from Research Data Centres" -<<<<<<< HEAD -msgstr "" - -#: ../../tmp/translation/database_strings.rb:46 -msgid "This is the generic DMP template for Portage." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:47 -msgid "" -"

This data management template is meant to b" -"e used by health sciences researchers conducting qualitative research on human" -" subjects. It includes guidance on data management best practices beginning wi" -"th data collection through to data sharing.

" -======= msgstr "" #: ../../tmp/translation/database_strings.rb:47 msgid "This is the generic DMP template for Portage." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" #: ../../tmp/translation/database_strings.rb:48 msgid "" -<<<<<<< HEAD -"

This template is designed for research proj" -"ects where software or technology is being developed in an interdisciplinary h" -"ealth context. This template was created to represent the many stakeholders (e" -".g., patients, practitioners, developers, industry) involved in software or te" -"chnology development, either as advisors or as participants being studied as a" -" product of the research process. As a result, this template is separated into" -" two sections; the first is focused solely on a management plan for the creati" -"on of software or technology, and the second on a data management plan designe" -"d to describe the methods in which data are gathered, analyzed, and shared fro" -"m participants based on interventions or testing of the corresponding software" -" or technology. In these studies, research participants can include either pat" -"ients or practitioners, or both, depending on the software or technology&rsquo" -";s intended use.

" -======= "

This data management template is meant to b" "e used by health sciences researchers conducting qualitative research on human" " subjects. It includes guidance on data management best practices beginning wi" "th data collection through to data sharing.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" #: ../../tmp/translation/database_strings.rb:49 msgid "" -<<<<<<< HEAD -"

This template will assist you in creating a" -" data management plan for arts-based research (ABR). It is intended for resear" -"chers and artists who use artistic processes as research methods (i.e., arts-b" -"ased methods). ABR is used across disciplines and encompasses diverse understa" -"ndings of the arts, research, and how they intersect. In this template, ABR is" -" an umbrella term for all the ways the arts are adapted to answer research que" -"stions, including those described as arts research, artistic research, and res" -"earch-creation. You can use this template on its own, or in combination with o" -"thers on the DMP As" -"sistant when using arts-based metho" -"ds with other methodological approaches.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:50 -#: ../../tmp/translation/database_strings.rb:84 -======= "

This template is designed for research proj" "ects where software or technology is being developed in an interdisciplinary h" "ealth context. This template was created to represent the many stakeholders (e" @@ -6567,7 +6425,6 @@ msgstr "" #: ../../tmp/translation/database_strings.rb:51 #: ../../tmp/translation/database_strings.rb:86 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "" "

This mixed methods data management plan template was developed for use with" "in the Portage DMP Assistant and is meant to assist researchers conducting mix" @@ -6575,10 +6432,9 @@ msgid "" " developing high quality data management plans to support their research. The " "template consists of a number of categories, questions, and customized guidanc" "e that relate directly to mixed methods research.

" -<<<<<<< HEAD msgstr "" -#: ../../tmp/translation/database_strings.rb:51 +#: ../../tmp/translation/database_strings.rb:52 msgid "" "

ARC provides researchers with digital techn" "ology, infrastructure and expertise to help them solve research problems that " @@ -6595,13 +6451,10 @@ msgid "" "euroscience, biochemistry, quantum chemistry, structural mechanics, astrophysi" "cs, energy economics, climate change, machine learning, artificial intelligenc" "e, and the humanities.

" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:52 +#: ../../tmp/translation/database_strings.rb:53 msgid "" -<<<<<<< HEAD "

This model was developed for researchers in" " history and in the larger field of humanities. It was designed to take into a" "ccount the fact that research projects in these disciplines still primarily us" @@ -6615,28 +6468,10 @@ msgid "" " 2” may be considered once funding has been secured. The entire DMP is a" "n evolving management document since the content of certain headings will only" " become clearer once the project is well underway.

" -======= -"

ARC provides researchers with digital techn" -"ology, infrastructure and expertise to help them solve research problems that " -"are either too large or too complex to undertake by other means. It includes a" -"ccess to both computational and storage resources, such as multi-core and many" -"-core high performance computing (HPC or supercomputers) systems, distributed " -"high-throughput computing (HTC) environments, large-scale data analysis framew" -"orks (e.g., Hadoop, Spark), visualizati" -"on and data analysis systems, large-memory systems, data storage, and cloud sy" -"stems. This template is intended for researchers whose research cannot be cond" -"ucted on a traditional computer but has to rely on one or more of the advanced" -" research computing resources mentioned above. ARC-based research occurs in a " -"wide range of fields including genomics, molecular dynamics, bioinformatics, n" -"euroscience, biochemistry, quantum chemistry, structural mechanics, astrophysi" -"cs, energy economics, climate change, machine learning, artificial intelligenc" -"e, and the humanities.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:53 +#: ../../tmp/translation/database_strings.rb:54 msgid "" -<<<<<<< HEAD "

The Canadian Research Data Centre Network<" "span style=\"font-weight: 400;\"> (CRDCN) template summarizes the data managemen" @@ -6670,8 +6505,8 @@ msgid "" "ould be completed and not this template. 

" msgstr "" -#: ../../tmp/translation/database_strings.rb:54 -#: ../../tmp/translation/database_strings.rb:87 +#: ../../tmp/translation/database_strings.rb:55 +#: ../../tmp/translation/database_strings.rb:89 msgid "" "

This template provides guidance to research" "ers who are collecting or generating water quality data. Highly Qualified Pers" @@ -6679,135 +6514,29 @@ msgid "" "cipal investigators while completing this template.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:55 -#: ../../tmp/translation/database_strings.rb:88 -======= -"

This model was developed for researchers in" -" history and in the larger field of humanities. It was designed to take into a" -"ccount the fact that research projects in these disciplines still primarily us" -"e analog research data during the active phases of a project. 

" -"\\r\n" -"

Two versions of the model are proposed: gui" -"dance labelled “Phase 1” is for the documentation of DMP sections " -"joined with a funding application. The headings documented in Phase 1 are" -" primarily aimed at producing a DMP to support research data management (RDM) " -"budgeting for the research project. Headings or guidance labelled “Phase" -" 2” may be considered once funding has been secured. The entire DMP is a" -"n evolving management document since the content of certain headings will only" -" become clearer once the project is well underway.

" +#: ../../tmp/translation/database_strings.rb:56 +#: ../../tmp/translation/database_strings.rb:90 +msgid "" +"

This template provides general guidance for" +" those who are undertaking systematic reviews. It is suggested that different " +"team members contribute to the DMP based on the stage of the review process in" +" which they will be involved in creating data.

\\r\n" +"

For additional guidance and examples, pleas" +"e see the online research guide located at https://library.ucalgary.ca" +"/dmpforsr.

\\r\n" +"

The PRISMA-P f" +"or systematic review protocols is a" +" tool that may help with planning and describing your data management process." +" It requires you to specify which databases you’ll search, present a dra" +"ft search strategy, report your inclusion/exclusion criteria, as well as proce" +"dures for all stages of your review. This information can be included in vario" +"us sections of your DMP.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:54 -msgid "" -"

The Canadian Research Data Centre Network<" -"span style=\"font-weight: 400;\"> (CRDCN) template summarizes the data managemen" -"t that is conducted by Statistics Canada and the CRDCN on behalf of researcher" -"s. While there are some advantages to working inside the RDC for data manageme" -"nt, there is also a substantial drawback: RDC data can never be deposited in a" -" repository in accordance with the recommended best practices for research dat" -"a management. Because of this, researchers should be mindful of other options " -"to engage in best practices. In addition to ensuring that the RDC project fold" -"er is well documented, and consistent with the research output, researchers sh" -"ould curate a supporting data deposit at a recognized repository in their disc" -"ipline or within the Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " -"a statistical output), and any other supporting material for the research proj" -"ect.

\\r\n" -"

This template is for researchers who are do" -"ing RDC work using Statistics Canada data and research data that they" -" have either brought into the RDC “supplemental data” or are analy" -"zing in parallel to their work in the RDC (such as mixed-methods) or public us" -"e statistics that compliment the RDC work (hereafter: external data)." -" Researchers should be aware that any data brought into the RDC will be stored" -" alongside the rest of their project material subject to the information manag" -"ement protocols from Statistics Canada. This is a free, relatively straightfor" -"ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

\\r\n" -"

If your work is being conducted in the RDC " -"using only data provided through the RDC program then the RDC-only template sh" -"ould be completed and not this template. 

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:55 -#: ../../tmp/translation/database_strings.rb:89 -msgid "" -"

This template provides guidance to research" -"ers who are collecting or generating water quality data. Highly Qualified Pers" -"onnel (HQP) and students are encouraged to consult with their advisors or prin" -"cipal investigators while completing this template.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:56 -#: ../../tmp/translation/database_strings.rb:90 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgid "" -"

This template provides general guidance for" -" those who are undertaking systematic reviews. It is suggested that different " -"team members contribute to the DMP based on the stage of the review process in" -" which they will be involved in creating data.

\\r\n" -"

For additional guidance and examples, pleas" -"e see the online research guide located at https://library.ucalgary.ca" -"/dmpforsr.

\\r\n" -"

The PRISMA-P f" -"or systematic review protocols is a" -" tool that may help with planning and describing your data management process." -" It requires you to specify which databases you’ll search, present a dra" -"ft search strategy, report your inclusion/exclusion criteria, as well as proce" -"dures for all stages of your review. This information can be included in vario" -"us sections of your DMP.

" -msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:56 -#: ../../tmp/translation/database_strings.rb:89 -msgid "" -"

The following template is intended for rese" -"arch projects combining experimental (scientific) methods with computer modeli" -"ng/simulation to study molecular interactions.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:57 -#: ../../tmp/translation/database_strings.rb:90 -msgid "" -"

This template guides the writing of a resea" -"rch data management plan (DMP) with an open science/open scholarship workflow," -" which uses mixed social sciences research methods, producing quantitative as " -"well as qualitative datasets. The questions emphasize data sharing and reuse t" -"hroughout the project, not only at the final stage of publication. This DMP te" -"mplate will be most useful to researchers who are working in a multi-instituti" -"onal partnership and who have already completed a funding application and an e" -"thics review protocol.  The DMP is a living document: don’t forget to revisit your DMP throughout the rese" -"arch project to update or review your responses.

\\r\n" -"

Not all of these questions will apply to al" -"l research projects. We encourage you to respond to as many as possible but ul" -"timately, you and your team have to decide which questions and answers apply t" -"o your workflow.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:58 -msgid "" -"

This Neuroimaging data management plan (DMP" -") template is designed to be completed in two phases: Phase 1 questions probe " -"at a high-level, seeking information about the general direction of the study." -" Normally, researchers will be able to respond to phase 1 questions at the out" -"set of a project.  

\\r\n" -"

Phase 2 questions seek greater detail. It i" -"s understood that these answers will often depend on the outcome of several st" -"eps in the research project, such as: a literature review, imaging protocol de" -"sign and experimental design, or running multiple pilot subjects and interpret" -"ing the outcome. As these details become known, the DMP can and should be revi" -"sited. This approach underscores that DMPs are living documents that evolve th" -"roughout a research project. 

" -======= -#: ../../tmp/translation/database_strings.rb:57 -#: ../../tmp/translation/database_strings.rb:91 +#: ../../tmp/translation/database_strings.rb:57 +#: ../../tmp/translation/database_strings.rb:91 msgid "" "

The following template is intended for rese" "arch projects combining experimental (scientific) methods with computer modeli" @@ -6831,107 +6560,10 @@ msgid "" "l research projects. We encourage you to respond to as many as possible but ul" "timately, you and your team have to decide which questions and answers apply t" "o your workflow.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" #: ../../tmp/translation/database_strings.rb:59 msgid "" -<<<<<<< HEAD -"

The Canadian Research Data Centre Network<" -"span style=\"font-weight: 400;\"> (CRDCN) template summarizes the data managemen" -"t that is conducted by Statistics Canada and the CRDCN on behalf of researcher" -"s. While there are some advantages to working inside the RDC for data manageme" -"nt, there is also a substantial drawback: RDC data can never be deposited in a" -" repository in accordance with the recommended best practices for research dat" -"a management. Because of this, researchers should be mindful of other options " -"to engage in best practices. In addition to ensuring that the RDC project fold" -"er is well documented, and consistent with the research output, researchers sh" -"ould curate a supporting data deposit at a recognized repository in their disc" -"ipline or within the Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " -"a statistical output), and any other supporting material for the research proj" -"ect.

\\r\n" -"

This template is for researchers who are do" -"ing RDC work using Statistics Canada data available in the RDC only (" -"i.e. there is no supplemental data, public use statistics, or any other inform" -"ation that complements the RDC work). If your work is being conducted in the R" -"DC in concert with other data that you either intend to bring into the RDC or " -"work on outside the RDC in parallel to your RDC work, then the RDC and Externa" -"l Analysis template should be completed. 

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:60 -msgid "

This is the generic DMP template for Portage.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:61 -msgid "Portage Data Management Questions" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:63 -msgid "Software/Technology Management Plan" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:66 -msgid "Phase 1: Data Preparation" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:67 -msgid "Phase 1: Data Management Plan for Grant Application" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:68 -msgid "CRDCN Template for Research Data Centres and External Analysis" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:73 -msgid "Phase 1" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:74 -msgid "CRDCN Template for Accessing Data from Research Data Centres" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:75 -msgid "Data Management Plan" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:76 -msgid "Phase 2: Active Research (Data) Management" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:77 -msgid "Phase 2: Data Management Plan for Project Development" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:78 -msgid "Phase 2" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:79 -msgid "Phase 3: Data Protection" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:80 -msgid "Phase 4: Sharing and Preserving" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:81 -msgid "" -"

This data management template is meant to b" -"e used by health sciences researchers conducting qualitative research on human" -" subjects. It includes guidance on data management best practices beginning wi" -"th data collection through to data sharing.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:82 -msgid "" -"

This section is focused solely on a managem" -"ent plan for the creation of software or technology.

" -======= "

This Neuroimaging data management plan (DMP" ") template is designed to be completed in two phases: Phase 1 questions probe " "at a high-level, seeking information about the general direction of the study." @@ -7028,36 +6660,10 @@ msgstr "" #: ../../tmp/translation/database_strings.rb:82 msgid "Phase 4: Sharing and Preserving" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" #: ../../tmp/translation/database_strings.rb:83 msgid "" -<<<<<<< HEAD -"

This template will assist you in creating a" -" data management plan for arts-based research (ABR). It is intended for resear" -"chers and artists who use artistic processes as research methods (i.e., arts-b" -"ased methods). ABR is used across disciplines and encompasses diverse understa" -"ndings of the arts, research, and how they intersect. In this template, ABR is" -" an umbrella term for all the ways the arts are adapted to answer research que" -"stions, including those described as arts research, artistic research, and res" -"earch-creation. You can use this template on its own, or in combination with o" -"thers on the DMP Assistant " -"when using arts-based methods with other methodological approaches. " -msgstr "" - -#: ../../tmp/translation/database_strings.rb:85 -msgid "" -"

“Phase 1” is for the documentat" -"ion of DMP sections joined with a funding application. The headings documented" -" in Phase 1 are primarily aimed at producing a DMP to support research da" -"ta management (RDM) budgeting for the research project.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:86 -======= "

This data management template is meant to b" "e used by health sciences researchers conducting qualitative research on human" " subjects. It includes guidance on data management best practices beginning wi" @@ -7095,7 +6701,6 @@ msgid "" msgstr "" #: ../../tmp/translation/database_strings.rb:88 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "" "

This template is for researchers who are do" "ing RDC work using Statistics Canada data If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

" -<<<<<<< HEAD msgstr "" -#: ../../tmp/translation/database_strings.rb:91 +#: ../../tmp/translation/database_strings.rb:93 msgid "" "

Phase 1 questions probe at a high-level, se" "eking information about the general direction of the study. Normally, research" @@ -7123,7 +6727,7 @@ msgid "" "bsp; 

" msgstr "" -#: ../../tmp/translation/database_strings.rb:92 +#: ../../tmp/translation/database_strings.rb:94 msgid "" "

This template is for researchers who are do" "ing RDC work using Statistics Canada data available in the RDC

" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:93 +#: ../../tmp/translation/database_strings.rb:95 msgid "" -<<<<<<< HEAD "

This section is focused on a data managemen" "t plan designed to describe the methods in which data are gathered, analyzed, " "and shared from participants based on interventions or testing of the correspo" "nding software or technology

" -======= -"

Phase 1 questions probe at a high-level, se" -"eking information about the general direction of the study. Normally, research" -"ers will be able to respond to phase 1 questions at the outset of a project.&n" -"bsp; 

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:94 +#: ../../tmp/translation/database_strings.rb:96 msgid "" -<<<<<<< HEAD "

“Phase 2” may be considered onc" "e funding has been secured. The entire DMP is an evolving management document " "since the content of certain headings will only become clearer once the projec" "t is well underway.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:95 +#: ../../tmp/translation/database_strings.rb:97 msgid "" "

Phase 2 questions seek greater detail. It i" "s understood that these answers will often depend on the outcome of several st" @@ -7172,231 +6766,55 @@ msgid "" "roughout a research project. 

" msgstr "" -#: ../../tmp/translation/database_strings.rb:97 +#: ../../tmp/translation/database_strings.rb:99 +msgid "sec2" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:100 +msgid "section2" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:101 msgid "Data Production" msgstr "" -#: ../../tmp/translation/database_strings.rb:98 +#: ../../tmp/translation/database_strings.rb:102 msgid "Sharing and Preserving" msgstr "" -#: ../../tmp/translation/database_strings.rb:99 -msgid "Software/Technology Development" +#: ../../tmp/translation/database_strings.rb:103 +msgid "Research Data Management Policies" msgstr "" -#: ../../tmp/translation/database_strings.rb:100 -msgid "Research Data Management Policies" +#: ../../tmp/translation/database_strings.rb:104 +msgid "Software/Technology Development" msgstr "" -#: ../../tmp/translation/database_strings.rb:102 +#: ../../tmp/translation/database_strings.rb:107 msgid "Data Analysis" msgstr "" -#: ../../tmp/translation/database_strings.rb:103 +#: ../../tmp/translation/database_strings.rb:108 msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" msgstr "" -#: ../../tmp/translation/database_strings.rb:104 +#: ../../tmp/translation/database_strings.rb:110 msgid "Software/Technology Documentation" msgstr "" -#: ../../tmp/translation/database_strings.rb:106 +#: ../../tmp/translation/database_strings.rb:111 msgid "Metadata" msgstr "" -#: ../../tmp/translation/database_strings.rb:108 -msgid "File Management" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:109 -msgid "Ensure Portability and Reproducibility of Results" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:110 -msgid "Software/Technology Preservation" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:111 -======= -"

This template is for researchers who are do" -"ing RDC work using Statistics Canada data available in the RDC only (" -"i.e. there is no supplemental data, public use statistics, or any other inform" -"ation that complements the RDC work). If your work is being conducted in the R" -"DC in concert with other data that you either intend to bring into the RDC or " -"work on outside the RDC in parallel to your RDC work, then the RDC and Externa" -"l Analysis template should be completed. 

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:95 -#: ../../tmp/translation/database_strings.rb:272 -msgid "

test

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:96 -msgid "" -"

This section is focused on a data managemen" -"t plan designed to describe the methods in which data are gathered, analyzed, " -"and shared from participants based on interventions or testing of the correspo" -"nding software or technology

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:97 -msgid "" -"

“Phase 2” may be considered onc" -"e funding has been secured. The entire DMP is an evolving management document " -"since the content of certain headings will only become clearer once the projec" -"t is well underway.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:98 -msgid "" -"

Phase 2 questions seek greater detail. It i" -"s understood that these answers will often depend on the outcome of several st" -"eps in the research project, such as: a literature review, imaging protocol de" -"sign and experimental design, or running multiple pilot subjects and interpret" -"ing the outcome. As these details become known, the DMP can and should be revi" -"sited. This approach underscores that DMPs are living documents that evolve th" -"roughout a research project. 

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:100 -msgid "Data Production" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:101 -msgid "Sharing and Preserving" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:102 -msgid "Research Data Management Policies" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:104 -msgid "Software/Technology Development" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:105 -msgid "Data Analysis" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:106 -msgid "Software/Technology Documentation" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:107 -msgid "Metadata" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:109 -msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:111 -msgid "Software/Technology Preservation" -msgstr "" - #: ../../tmp/translation/database_strings.rb:112 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Storage, Backup, and Access" msgstr "" #: ../../tmp/translation/database_strings.rb:113 -<<<<<<< HEAD -msgid "Sharing and Archiving" +msgid "Software/Technology Preservation" msgstr "" #: ../../tmp/translation/database_strings.rb:114 -msgid "Software/Technology Ethical and Legal Restrictions" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:115 -msgid "Storage, Access, and Backup" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:116 -msgid "Sharing, Reuse, and Preservation" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:117 -msgid "Software/Technology Responsible Parties" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:119 -msgid "Ethics and Intellectual Property" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:120 -msgid "Ethical and Legal Compliance" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:122 -msgid "Roles and Responsibilities" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:123 -msgid "Software/Technology Sharing" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:124 -msgid "Responsibilities and Resources " -msgstr "" - -#: ../../tmp/translation/database_strings.rb:126 -msgid "Sharing, Reuse and Preservation" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:127 -msgid "Data Sharing" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:129 -msgid "" -"

All research conducted in the Research Data" -" Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" -"ry in nature. There is no data collection involved in this project. These data" -" are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

\\r\n" -"

Raw data in the RDC are stored in multiple " -"formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" -"files) as appropriate. The availability of StatTransfer™ software within" -" the RDCs and continued management by Statistics Canada will ensure that the d" -"ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

\\r\n" -"

The data provided by Statistics Canada are " -"assigned unique identifiers which can be used to identify the data in any rese" -"arch output. 

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:130 -msgid "" -"

All research conducted in the Research Data" -" Centres (hereafter RDC) is secondary in nature. There is no data collection i" -"nvolved in this portion of the project. These data are owned and maintained by" -" Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

\\r\n" -"

Raw data in the RDC are stored in multiple " -"formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" -"pefiles) as appropriate. The availability of StatTransfer™ software with" -"in the RDCs and continued management by Statistics Canada will ensure that the" -" data will be accessible indefinitely should the file formats currently in use" -" become obsolete. Researchers can bring data into the RDCs (these will be call" -"ed “supplemental data”). When they do, they are stored alongside a" -"ll of the other research products related to that contract from the RDC and ar" -"chived.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:131 -msgid "" -"

Describe the components that will be requir" -"ed to develop the software/technology in question.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:132 -msgid "" -"

Outline the processes and procedures you wi" -"ll follow during the data collection process of your study.

" -======= msgid "Ensure Portability and Reproducibility of Results" msgstr "" @@ -7404,7 +6822,7 @@ msgstr "" msgid "File Management" msgstr "" -#: ../../tmp/translation/database_strings.rb:116 +#: ../../tmp/translation/database_strings.rb:117 msgid "Software/Technology Ethical and Legal Restrictions" msgstr "" @@ -7416,7 +6834,7 @@ msgstr "" msgid "Sharing and Archiving" msgstr "" -#: ../../tmp/translation/database_strings.rb:120 +#: ../../tmp/translation/database_strings.rb:121 msgid "Software/Technology Responsible Parties" msgstr "" @@ -7428,37 +6846,36 @@ msgstr "" msgid "Sharing, Reuse, and Preservation" msgstr "" -#: ../../tmp/translation/database_strings.rb:124 -msgid "Ethical and Legal Compliance" +#: ../../tmp/translation/database_strings.rb:125 +msgid "Software/Technology Sharing" msgstr "" #: ../../tmp/translation/database_strings.rb:126 -msgid "Roles and Responsibilities" +msgid "Ethical and Legal Compliance" msgstr "" -#: ../../tmp/translation/database_strings.rb:127 -msgid "Software/Technology Sharing" +#: ../../tmp/translation/database_strings.rb:128 +msgid "Roles and Responsibilities" msgstr "" #: ../../tmp/translation/database_strings.rb:129 msgid "Responsibilities and Resources " msgstr "" -#: ../../tmp/translation/database_strings.rb:130 +#: ../../tmp/translation/database_strings.rb:131 msgid "Sharing, Reuse and Preservation" msgstr "" -#: ../../tmp/translation/database_strings.rb:131 +#: ../../tmp/translation/database_strings.rb:132 msgid "Data Sharing" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" #: ../../tmp/translation/database_strings.rb:133 +msgid "test customization section" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:135 msgid "" -<<<<<<< HEAD -"

Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

" -======= "

All research conducted in the Research Data" " Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" "ry in nature. There is no data collection involved in this project. These data" @@ -7473,16 +6890,10 @@ msgid "" "

The data provided by Statistics Canada are " "assigned unique identifiers which can be used to identify the data in any rese" "arch output. 

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:134 +#: ../../tmp/translation/database_strings.rb:136 msgid "" -<<<<<<< HEAD -"

Outline the steps, materials, and methods t" -"hat you will use to document how you will analyze the data collected in your s" -"tudy.

" -======= "

All research conducted in the Research Data" " Centres (hereafter RDC) is secondary in nature. There is no data collection i" "nvolved in this portion of the project. These data are owned and maintained by" @@ -7497,37 +6908,41 @@ msgid "" "ed “supplemental data”). When they do, they are stored alongside a" "ll of the other research products related to that contract from the RDC and ar" "chived.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:135 +#: ../../tmp/translation/database_strings.rb:137 +msgid "

test

" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:138 msgid "" -<<<<<<< HEAD -"

Documentation provided by Statistics Canada in the RDC is available to any " -"data-users. This documentation is freely available to those with approved proj" -"ects, and contains information about the sample selection process, a copy of t" -"he questionnaire, and a codebook.

" -======= "

Describe the components that will be requir" "ed to develop the software/technology in question.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:136 +#: ../../tmp/translation/database_strings.rb:139 msgid "" -<<<<<<< HEAD -"

Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

" -======= "

Outline the processes and procedures you wi" "ll follow during the data collection process of your study.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:137 +#: ../../tmp/translation/database_strings.rb:140 +msgid "" +"

Outline the steps, materials, and methods t" +"hat you will use to document how you will analyze the data collected in your s" +"tudy.

" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:141 +msgid "" +"

Documentation provided by Statistics Canada in the RDC is available to any " +"data-users. This documentation is freely available to those with approved proj" +"ects, and contains information about the sample selection process, a copy of t" +"he questionnaire, and a codebook.

" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:142 msgid "" -<<<<<<< HEAD "Because data are rarely self-explanatory, all research data should be accompan" "ied by metadata (information that describes the data according to community be" "st practices).  Metadata standards vary across disciplines, but generally stat" @@ -7536,15 +6951,23 @@ msgid "" "iscovery, understanding and reuse.
Any restrictions on use of the data mu" "st be explained in the metadata, along with information on how to obtain appro" "ved access to the data, where possible." -======= +msgstr "" + +#: ../../tmp/translation/database_strings.rb:143 +msgid "" +"

Provide an outline of the documentation and" +" information that would be required for someone else to understand and reuse y" +"our software/technology.

" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:144 +msgid "" "

Outline the steps, materials, and methods t" "hat you will use during the data analysis phase of your study.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:138 +#: ../../tmp/translation/database_strings.rb:145 msgid "" -<<<<<<< HEAD "

Documentation provided by Statistics Canada" " in the RDC will be available to any potential future users of these data. Thi" "s documentation is freely available to those with approved projects, and conta" @@ -7554,146 +6977,42 @@ msgid "" " that there be coordination between the internal and external data management." " How to best manage this will depend on the nature of the external data.

" -======= -"

Outline the steps, materials, and methods t" -"hat you will use to document how you will analyze the data collected in your s" -"tudy.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:139 -msgid "" -<<<<<<< HEAD -"

This section is designed for you to provide" -" information about your data, so that others will be able to better understand" -", interpret, and potentially re-use your data for secondary analysis." -======= -"

Documentation provided by Statistics Canada in the RDC is available to any " -"data-users. This documentation is freely available to those with approved proj" -"ects, and contains information about the sample selection process, a copy of t" -"he questionnaire, and a codebook.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:140 -msgid "" -<<<<<<< HEAD -"

Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -"anything else stored in the project folder) for ten years. Data are backed up " -"on site and accessible through a highly secured network from any of the other " -"RDC locations.

" -======= -"Because data are rarely self-explanatory, all research data should be accompan" -"ied by metadata (information that describes the data according to community be" -"st practices).  Metadata standards vary across disciplines, but generally stat" -"e who created the data and when, how the data were created, their quality, acc" -"uracy, and precision, as well as other features necessary to facilitate data d" -"iscovery, understanding and reuse.
Any restrictions on use of the data mu" -"st be explained in the metadata, along with information on how to obtain appro" -"ved access to the data, where possible." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:141 -msgid "" -<<<<<<< HEAD -"

Describe how your software/technology will " -"be available for the foreseeable future after the study is complete." -======= -"

Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:142 +#: ../../tmp/translation/database_strings.rb:146 msgid "" -<<<<<<< HEAD "

This section will focus on including inform" "ation that would be required for someone else to interpret and re-use your dat" "a.

" -======= -"

Documentation provided by Statistics Canada" -" in the RDC will be available to any potential future users of these data. Thi" -"s documentation is freely available to those with approved projects, and conta" -"ins information about the sample selection process, a copy of the questionnair" -"e, and a codebook. Researchers should also think about how the metadata for th" -"eir external data can be provided to other researchers. Best practices require" -" that there be coordination between the internal and external data management." -" How to best manage this will depend on the nature of the external data.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:143 +#: ../../tmp/translation/database_strings.rb:147 msgid "" "

This section is designed for you to provide" " information about your data, so that others will be able to better understand" ", interpret, and potentially re-use your data for secondary analysis." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:144 +#: ../../tmp/translation/database_strings.rb:148 msgid "" "

Data storage is managed by the CRDCN in par" "tnership with Statistics Canada on Servers located across the network. Th" "e current policy of the CRDCN is to store project data (syntax, releases, and " -<<<<<<< HEAD -"anything else stored in the project folder) for ten years. These data are back" -"ed up on site and accessible through a highly secured network from any of the " -"other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

\\r\n" -"

For external research data, storage and bac" -"kup are solely the responsibility of the researcher. Please consider the follo" -"wing questions as they relate to external data. These questions should also be" -" considered for supplemental data if you plan to do parallel storage and backu" -"p of these data.

" -======= "anything else stored in the project folder) for ten years. Data are backed up " "on site and accessible through a highly secured network from any of the other " "RDC locations.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:145 +#: ../../tmp/translation/database_strings.rb:149 msgid "" -<<<<<<< HEAD -"

This section will ask you to outline how yo" -"u will store and manage your data throughout the research process.

" -======= "

Describe how your software/technology will " "be available for the foreseeable future after the study is complete." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:146 -msgid "" -<<<<<<< HEAD -"

The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology).

" msgstr "" -#: ../../tmp/translation/database_strings.rb:147 +#: ../../tmp/translation/database_strings.rb:150 msgid "" -"

Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" -======= "

Data storage is managed by the CRDCN in par" "tnership with Statistics Canada on Servers located across the network. Th" "e current policy of the CRDCN is to store project data (syntax, releases, and " @@ -7706,82 +7025,39 @@ msgid "" "wing questions as they relate to external data. These questions should also be" " considered for supplemental data if you plan to do parallel storage and backu" "p of these data.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:148 -msgid "" -<<<<<<< HEAD -"

Describe and outline how and where your dat" -"a will be stored throughout the research project.

" -======= -"

This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:149 +#: ../../tmp/translation/database_strings.rb:152 msgid "" -<<<<<<< HEAD -======= "

This section will ask you to outline how yo" "u will store and manage your data throughout the research process.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:150 +#: ../../tmp/translation/database_strings.rb:153 msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

The work conducted in the RDC for this proj" "ect is kept based on the Contract ID provided by the RDC program which can be " "used by anyone on the project team to retrieve the code and supporting documen" "ts for a period of 10 years as described above in “Storage and Backup&rd" -<<<<<<< HEAD -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data, is pe" -======= "quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "rmanently stored by Statistics Canada, but can never be released to the resear" "cher. Researchers can also preserve all user-generated RDC research data that " "meets the criteria for release through a vetting request via a repository such" " as FRDR (though it is again emphasized that the raw RDC data cannot be shared" "). Best practices for reproducible work require indefinite preservation of res" "earch data (so in the case of RDC research, this means metadata, syntax, metho" -<<<<<<< HEAD -"dology). In addition to this preservation for the RDC work, the external data " -"(and related syntax, metadata and methodology) should be preserved also.

" -======= "dology).

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" -#: ../../tmp/translation/database_strings.rb:151 +#: ../../tmp/translation/database_strings.rb:154 +msgid "" +"

Provide any ethical or legal restrictions t" +"hat may impact how you use and/or distribute your software/technology.<" +"/p>" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:155 msgid "" -<<<<<<< HEAD -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

\\r\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis.\\r\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

" -======= "

The work conducted in the RDC for this proj" "ect is kept based on the Contract ID provided by the RDC program which can be " "used by anyone on the project team to retrieve the code and supporting documen" @@ -7793,752 +7069,156 @@ msgid "" " as FRDR (though it is again emphasized that the raw RDC data cannot be shared" "). Best practices for reproducible work require indefinite preservation of res" "earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology). In addition to this preservation for the RDC work, the external data " -"(and related syntax, metadata and methodology) should be preserved also.

" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../tmp/translation/database_strings.rb:152 -msgid "" -<<<<<<< HEAD -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:154 -======= -"

Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:153 -msgid "" -"

Describe and outline how and where your dat" -"a will be stored throughout the research project.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:155 -msgid "" -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:157 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgid "" -"

Outline who is responsible for the developm" -"ent and monitoring of the software/technology over the course of the study.

" -<<<<<<< HEAD -msgstr "" - -#: ../../tmp/translation/database_strings.rb:155 -======= -msgstr "" - -#: ../../tmp/translation/database_strings.rb:158 -msgid "" -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

\\r\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis.\\r\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the r" -"ecord number so that readers are able to find the data. In addition, all publi" -"cations using RDC data should include the RDC contract ID so that potential us" -"ers can find information on the original contract. This information is availab" -"le on the CRDCN website (crdcn.org/pu" -"blications).

\\r\n" -"

For your supplemental/external data, please" -" answer the following questions aimed to satisfy the FAIR principl" -"es.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:159 -msgid "" -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:160 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgid "" -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

\\r\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis.\\r\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -<<<<<<< HEAD -"on, CRDCN data are required to be cited in any and all publications with the r" -"ecord number so that readers are able to find the data. In addition, all publi" -"cations using RDC data should include the RDC contract ID so that potential us" -"ers can find information on the original contract. This information is availab" -"le on the CRDCN website (crdcn.org/pu" -"blications).

\\r\n" -"

For your supplemental/external data, please" -" answer the following questions aimed to satisfy the FAIR principl" -"es.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:156 -msgid "" -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:157 -msgid "" -"

Outline the ethical and legal implications " -"placed on your research data.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:158 -======= -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:161 -msgid "" -"

Outline the ethical and legal implications " -"placed on your research data.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:162 -msgid "" -"

Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:163 -msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:164 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgid "" -"

The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p>\\r\n" -"

CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p>\\r\n" -"

CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

\\r\n" -"

Researchers should consider how to manage t" -"heir external research data and should think about who on the project team wil" -"l have responsibility for managing the research data and what resources might " -"be required to do so. Where possible, the research data from within the RDC sh" -"ould be managed in a way that is coordinated with the external research data m" -"anagement.

In addition to the data management employed by Statistic" -"s Canada, it is possible for researchers to have research output that does not" -" contain confidential data, including tables, syntax and other information, re" -"leased from the RDC where it could be curated in a repository of the researche" -"r’s choosing as described in the Preservation section. If you plan to do" -" any supplemental storage or curation of your research data (either the user-g" -"enerated research data from the RDC or the external/supplemental data), please" -" comment on where the responsibility for curation and maintenance of this arch" -"ive resides.

" -<<<<<<< HEAD -msgstr "" - -#: ../../tmp/translation/database_strings.rb:159 -msgid "" -"

Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:160 -msgid "" -"

Outline any ethical and legal implications " -"placed on your research data.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:161 -msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:162 -msgid "" -"

The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p>\\r\n" -"

CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p>\\r\n" -"

CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:163 -msgid "" -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:164 -msgid "" -"

Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

\\r\n" -"

Once a researcher is granted access to the " -"RDC they must take an Oath of Secre" -"cy – promising never to disc" -"lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

\\r\n" -"

Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statist" -"ics Act and complies with all lega" -"l requirements. The confidential microdata for this project cannot be shared, " -"posted, or copied. Access to the data is available exclusively through Statist" -"ics Canada and the RDC program. More information on how to access data is avai" -"lable here in English or French.

\\r\n" -"


In general, research ethics clearance is not required for research conducted" -" in the RDC. A statement from the CRDCN on the topic is available here in English or French.

\\r\n" -"

Please respond to the following ethical com" -"pliance questions as they relate to your external/supplemental data. If your p" -"roject underwent research-ethics review at your institution, you can summarize" -" the submission instead of answering these questions.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:165 -msgid "" -"

In general, data collected using public fun" -"ds should be preserved for future discovery and reuse. As you develop your data sharing strategy you will want to con" -"sider the following:

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:166 -msgid "" -"

Indicate who will be working with the data " -"at various stages, and describe their responsibilities.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:167 -msgid "" -"

Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

\\r\n" -"

Once a researcher is granted access to the " -"RDC they must take an Oath of Secrecy – promising never to disclose conf" -"idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

\\r\n" -"

Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statistics Act and complies with all legal require" -"ments. The confidential microdata for this project cannot be shared, posted, o" -"r copied. Access to the data is available through the RDC program. More inform" -"ation on how to access data is available here in English or French.

\\r\n" -"

In general, research ethics clearance is no" -"t required for research conducted in the RDC. A statement from the CRDCN on th" -"e topic is available here in English or French.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:168 -msgid "" -"

Provide information about how you will make" -" your data available and/or discoverable to the broader community.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:169 -msgid "What types of data will you collect, create, link to, acquire and/or record?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:170 -msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:171 -msgid "" -"What are the anticipated storage requirements for your project, in terms of st" -"orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " -"you will be storing it?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:172 -msgid "" -"Where will you deposit your data for long-term preservation and access at the " -"end of your research project?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:173 -msgid "" -"What data will you be sharing and in what form? (e.g. raw, processed, analyzed" -", final)." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:174 -msgid "" -"Identify who will be responsible for managing this project's data during and a" -"fter the project and the major data management tasks for which they will be re" -"sponsible." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:175 -msgid "" -"If your research project includes sensitive data, how will you ensure that it " -"is securely managed and accessible only to approved members of the project?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:176 -msgid "" -"What types of data will you be collecting?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:177 -msgid "" -"How will you document the changes you make to " -"your data on a regular basis?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:178 -msgid "" -"What information about your research would som" -"eone need to know to reuse or interpret your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:179 -msgid "" -"What are the storage requirements needed for y" -"our data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:180 -msgid "" -"Where will data be stored after the p" -"roject is complete?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:181 -msgid "" -"How is the informed consent process carried ou" -"t in your study? " -msgstr "" - -#: ../../tmp/translation/database_strings.rb:182 -msgid "" -"What financial resources will you require for " -"data management in this study?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:183 -msgid "" -"Who are the likely users/benefitters of your d" -"ata?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:184 -msgid "" -"What software/technology will be created in th" -"is study?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:185 -msgid "" -"What information would be required for someone" -" to understand and reuse your software/technology?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:186 -msgid "" -"How will the software/technology be updated an" -"d maintained over time?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:187 -msgid "" -"Who will own the copyright to the software/tec" -"hnology?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:188 -msgid "" -"Who will have access to your software/technolo" -"gy throughout the project? Describe each collaborator’s responsibilities" -" in relation to having access to the data." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:189 -msgid "" -"Who are the intended users of your software/te" -"chnology?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:190 -msgid "" -"How will you document the changes you make to " -"your data on a regular basis during the data analysis phase?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:191 -msgid "" -"What information would be required for someone" -" else to understand and reuse your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:192 -msgid "" -"How will the informed consent process be carri" -"ed out within your study?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:193 -msgid "" -"Who are the intended users of your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:194 -msgid "" -"What types of data will you create and/or collect? What methods, arts-based an" -"d otherwise, will you use?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:195 -msgid "" -"What metadata will you create to ensure your data can be interpreted and reuse" -"d in the future?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:196 -msgid "" -"How much storage space will you need for digital data during your project? How" -" long will you store them?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:197 -msgid "What are your preservation needs for your digital data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:198 -msgid "What types of data will you share and in what form?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:199 -msgid "" -"Who will be responsible for research data management during and after your pro" -"ject? What will their tasks be?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:200 -msgid "" -"Are there policies that outline requirements and/or best practices pertaining " -"to your research data management?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:201 -msgid "" -"Are there any research data management policie" -"s in place that outline requirements and/or best practice guidance regarding t" -"he management of your data? If so, provide details and, if helpful, URL links " -"to these policies. " -msgstr "" - -#: ../../tmp/translation/database_strings.rb:202 -msgid "" -"Describe the type(s) of data that you will collect, including all survey, inte" -"rview and/or focus group data. If there are any additional types of data that " -"will be collected or generated describe these as well." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:203 -msgid "" -"Describe any documentation and metadata that will be used in order to ensure t" -"hat data are able to be read and understood both during the active phases of t" -"he project and in the future." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:204 -msgid "" -"Describe where, how, and for how long data wil" -"l be securely stored during the act" -"ive phases of the research project" -". If any data are to be collected through the use of electronic platforms, acc" -"ount for their usage within your data storage description. Include a descripti" -"on of any policies and procedures that will be in place to ensure that data ar" -"e regularly backed-up." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:205 -msgid "" -"Describe how you will ensure that your data is" -" preservation ready, including the file format(s) that they will be preserved " -"in and. Explain how you will prevent da" -"ta from being lost while processing and converting files." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:206 -msgid "" -"Describe what data you will be sharing, includ" -"ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" -"/span>" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:207 -msgid "" -"Who will be responsible for data management du" -"ring the project (i.e., during collection, processing, analysis, documentation" -")? Identify staff and organizational roles and their responsibilities for carr" -"ying out the data management plan (DMP), including time allocations and traini" -"ng requirements." +"dology). In addition to this preservation for the RDC work, the external data " +"(and related syntax, metadata and methodology) should be preserved also.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:208 +#: ../../tmp/translation/database_strings.rb:156 msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of data, " -"and especially those which are sensitive in nature?" +"

Describe and outline how and where your dat" +"a will be stored throughout the research project.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:209 +#: ../../tmp/translation/database_strings.rb:158 msgid "" -"What types of data, metadata, and scripts will you collect, create, link to, a" -"cquire, record, or generate through the proposed research project?" +"

Describe the steps that will ensure that yo" +"ur data will be available and usable for the foreseeable future after your stu" +"dy is complete.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:210 +#: ../../tmp/translation/database_strings.rb:160 msgid "" -"In what file formats will your data be collected and generated? Will these for" -"mats allow for data re-use, sharing and long-term access to the data?" +"

Outline who is responsible for the developm" +"ent and monitoring of the software/technology over the course of the study.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:211 +#: ../../tmp/translation/database_strings.rb:161 msgid "" -"What information will be needed for the data to be read and interpreted correc" -"tly?" +"

Because the Statistics Canada Microdata fil" +"es are collected under assurances of confidentiality and are owned and control" +"led by Statistics Canada, they cannot be shared by any member of the research " +"team. 

\\r\n" +"

Access to the data in the RDCs is governed " +"by the CRDCN's Access and Fee-for-service policy in English or <" +"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" +"twork members and provides access to others on a cost-recovery basis.\\r\n" +"

The CRDCN and Statistics Canada promote the" +"ir data holdings through social media and their respective websites. In additi" +"on, CRDCN data are required to be cited in any and all publications with the r" +"ecord number so that readers are able to find the data. In addition, all publi" +"cations using RDC data should include the RDC contract ID so that potential us" +"ers can find information on the original contract. This information is availab" +"le on the CRDCN website (crdcn.org/pu" +"blications).

\\r\n" +"

For your supplemental/external data, please" +" answer the following questions aimed to satisfy the FAIR principl" +"es.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:212 +#: ../../tmp/translation/database_strings.rb:162 msgid "" -"Please identify the facilities to be used (laboratory, computer, office, clini" -"cal and other) and/or list the organizational resources available to perform t" -"he proposed research. If appropriate, indicate the capacity, pertinent capabil" -"ities, relative proximity and extent of availability of the resources to the r" -"esearch project." +"

Because the Statistics Canada Microdata fil" +"es are collected under assurances of confidentiality and are owned and control" +"led by Statistics Canada, they cannot be shared by any member of the research " +"team. 

\\r\n" +"

Access to the data in the RDCs is governed " +"by the CRDCN's Access and Fee-for-service policy in English or <" +"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" +"twork members and provides access to others on a cost-recovery basis.\\r\n" +"

The CRDCN and Statistics Canada promote the" +"ir data holdings through social media and their respective websites. In additi" +"on, CRDCN data are required to be cited in any and all publications with the S" +"tatistics Canada Record Number so that readers are able to find the data. In a" +"ddition, all publications using RDC data should include the RDC contract ID so" +" that potential users can find information on the original contract. This info" +"rmation is available on the CRDCN website (crdcn.org/publications" +").

" msgstr "" -#: ../../tmp/translation/database_strings.rb:213 -msgid "What will you do to ensure portability and reproducibility of your results?" +#: ../../tmp/translation/database_strings.rb:163 +msgid "" +"

Describe the steps that will ensure that yo" +"ur data will be available and usable for the foreseeable future after your stu" +"dy is complete.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:214 +#: ../../tmp/translation/database_strings.rb:164 msgid "" -"What will be the potential impact of the data within the immediate field and i" -"n other fields, and any broader societal impact?" +"

Outline the ethical and legal implications " +"placed on your research data.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:215 +#: ../../tmp/translation/database_strings.rb:165 msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
Data Creation Methodolo" -"gy
(if" -" the data are produced as part of the project)
(e.g., surveys and qualita" -"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy concerns befo" -"re being made available to researchers. In cases where the information will be" -" collected directly by the principal researcher, you should avoid disclosing a" -"ny information that could identify a living person such as ethnic origin, pers" -"onal beliefs, personal orientation, health status, etc. without permission. Fo" -"r further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format).\\r\n" -"
Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
(The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
" +"

Describe how you will make your software/te" +"chnology discoverable and accessible to others once it is complete.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:216 +#: ../../tmp/translation/database_strings.rb:166 msgid "" -"What documentation is required to correctly read and interpret the research da" -"ta?" +"

The CRDCN and Statistics Canada will mainta" +"in the research data even if the researcher leaves their organization.<" +"/p>\\r\n" +"

CRDCN enjoys the support of CIHR, SSHRC and" +" CFI as well as receiving funds from the partner universities. There is no cha" +"rge to the users of the RDCs for the data management conducted under the auspi" +"ces of CRDCN and Statistics Canada as described within this DMP. <" +"/p>\\r\n" +"

CRDCN does not employ consistency checking " +"to ensure that the code provided alongside requests for research results to be" +" released from the secure facility truly creates the output as requested. The " +"responsibility for ensuring that the code and documents describing their use w" +"ork as intended and are clear to other users who might access them lies with t" +"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" +"s saved alongside all of the research output used to support the conclusions o" +"f any published works.

\\r\n" +"

Researchers should consider how to manage t" +"heir external research data and should think about who on the project team wil" +"l have responsibility for managing the research data and what resources might " +"be required to do so. Where possible, the research data from within the RDC sh" +"ould be managed in a way that is coordinated with the external research data m" +"anagement.

In addition to the data management employed by Statistic" +"s Canada, it is possible for researchers to have research output that does not" +" contain confidential data, including tables, syntax and other information, re" +"leased from the RDC where it could be curated in a repository of the researche" +"r’s choosing as described in the Preservation section. If you plan to do" +" any supplemental storage or curation of your research data (either the user-g" +"enerated research data from the RDC or the external/supplemental data), please" +" comment on where the responsibility for curation and maintenance of this arch" +"ive resides.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:217 +#: ../../tmp/translation/database_strings.rb:167 msgid "" -======= +"Data management focuses on the 'what' and 'how' of operationally supporting da" +"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" +"sible for ensuring that data management happens. A large project, for example," +" will involve multiple data stewards. The Principal Investigator should identi" +"fy at the beginning of a project all of the people who will have responsibilit" +"ies for data management tasks during and after the project." msgstr "" -#: ../../tmp/translation/database_strings.rb:165 +#: ../../tmp/translation/database_strings.rb:168 msgid "" "

Outline any ethical and legal implications " "placed on your research data.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:166 +#: ../../tmp/translation/database_strings.rb:169 msgid "" "

The CRDCN and Statistics Canada will mainta" "in the research data even if the researcher leaves their organization.<" @@ -8558,7 +7238,7 @@ msgid "" "f any published works.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:167 +#: ../../tmp/translation/database_strings.rb:170 msgid "" "

Any users of the RDC must be 'deemed employ" "ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" @@ -8597,7 +7277,7 @@ msgid "" " the submission instead of answering these questions.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:168 +#: ../../tmp/translation/database_strings.rb:171 msgid "" "

In general, data collected using public fun" "ds should be preserved for future discovery and reuse.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:169 +#: ../../tmp/translation/database_strings.rb:172 msgid "" "

Indicate who will be working with the data " "at various stages, and describe their responsibilities.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:170 +#: ../../tmp/translation/database_strings.rb:173 msgid "" "

Any users of the RDC must be 'deemed employ" "ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" @@ -8646,7 +7326,7 @@ msgid "" "400;\">.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:171 +#: ../../tmp/translation/database_strings.rb:174 msgid "" "Researchers and their teams need to be aware of the policies and processes, bo" "th ethical and legal, to which their research data management must comply. Pro" @@ -8660,203 +7340,203 @@ msgid "" " position should be that all research data and metadata are public." msgstr "" -#: ../../tmp/translation/database_strings.rb:172 +#: ../../tmp/translation/database_strings.rb:175 msgid "" "

Provide information about how you will make" " your data available and/or discoverable to the broader community.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:173 +#: ../../tmp/translation/database_strings.rb:176 msgid "What types of data will you collect, create, link to, acquire and/or record?" msgstr "" -#: ../../tmp/translation/database_strings.rb:174 +#: ../../tmp/translation/database_strings.rb:177 msgid "" "What documentation will be needed for the data to be read and interpreted corr" "ectly in the future?" msgstr "" -#: ../../tmp/translation/database_strings.rb:175 +#: ../../tmp/translation/database_strings.rb:178 msgid "" "What are the anticipated storage requirements for your project, in terms of st" "orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " "you will be storing it?" msgstr "" -#: ../../tmp/translation/database_strings.rb:176 +#: ../../tmp/translation/database_strings.rb:179 msgid "" "Where will you deposit your data for long-term preservation and access at the " "end of your research project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:177 +#: ../../tmp/translation/database_strings.rb:180 msgid "" "What data will you be sharing and in what form? (e.g. raw, processed, analyzed" ", final)." msgstr "" -#: ../../tmp/translation/database_strings.rb:178 +#: ../../tmp/translation/database_strings.rb:181 msgid "" "Identify who will be responsible for managing this project's data during and a" "fter the project and the major data management tasks for which they will be re" "sponsible." msgstr "" -#: ../../tmp/translation/database_strings.rb:179 +#: ../../tmp/translation/database_strings.rb:182 msgid "" "If your research project includes sensitive data, how will you ensure that it " "is securely managed and accessible only to approved members of the project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:180 +#: ../../tmp/translation/database_strings.rb:183 msgid "" "What types of data will you be collecting?" msgstr "" -#: ../../tmp/translation/database_strings.rb:181 +#: ../../tmp/translation/database_strings.rb:184 msgid "" "How will you document the changes you make to " "your data on a regular basis?" msgstr "" -#: ../../tmp/translation/database_strings.rb:182 +#: ../../tmp/translation/database_strings.rb:185 msgid "" "What information about your research would som" "eone need to know to reuse or interpret your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:183 +#: ../../tmp/translation/database_strings.rb:186 msgid "" "What are the storage requirements needed for y" "our data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:184 +#: ../../tmp/translation/database_strings.rb:187 msgid "" "Where will data be stored after the p" "roject is complete?" msgstr "" -#: ../../tmp/translation/database_strings.rb:185 +#: ../../tmp/translation/database_strings.rb:188 msgid "" "How is the informed consent process carried ou" "t in your study? " msgstr "" -#: ../../tmp/translation/database_strings.rb:186 +#: ../../tmp/translation/database_strings.rb:189 msgid "" "What financial resources will you require for " "data management in this study?" msgstr "" -#: ../../tmp/translation/database_strings.rb:187 +#: ../../tmp/translation/database_strings.rb:190 msgid "" "Who are the likely users/benefitters of your d" "ata?" msgstr "" -#: ../../tmp/translation/database_strings.rb:188 +#: ../../tmp/translation/database_strings.rb:191 msgid "" "What software/technology will be created in th" "is study?" msgstr "" -#: ../../tmp/translation/database_strings.rb:189 +#: ../../tmp/translation/database_strings.rb:192 msgid "" "What information would be required for someone" " to understand and reuse your software/technology?" msgstr "" -#: ../../tmp/translation/database_strings.rb:190 +#: ../../tmp/translation/database_strings.rb:193 msgid "" "How will the software/technology be updated an" "d maintained over time?" msgstr "" -#: ../../tmp/translation/database_strings.rb:191 +#: ../../tmp/translation/database_strings.rb:194 msgid "" "Who will own the copyright to the software/tec" "hnology?" msgstr "" -#: ../../tmp/translation/database_strings.rb:192 +#: ../../tmp/translation/database_strings.rb:195 msgid "" "Who will have access to your software/technolo" "gy throughout the project? Describe each collaborator’s responsibilities" " in relation to having access to the data." msgstr "" -#: ../../tmp/translation/database_strings.rb:193 +#: ../../tmp/translation/database_strings.rb:196 msgid "" "Who are the intended users of your software/te" "chnology?" msgstr "" -#: ../../tmp/translation/database_strings.rb:194 +#: ../../tmp/translation/database_strings.rb:197 msgid "" "How will you document the changes you make to " "your data on a regular basis during the data analysis phase?" msgstr "" -#: ../../tmp/translation/database_strings.rb:195 +#: ../../tmp/translation/database_strings.rb:198 msgid "" "What information would be required for someone" " else to understand and reuse your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:196 +#: ../../tmp/translation/database_strings.rb:199 msgid "" "How will the informed consent process be carri" "ed out within your study?" msgstr "" -#: ../../tmp/translation/database_strings.rb:197 +#: ../../tmp/translation/database_strings.rb:200 msgid "" "Who are the intended users of your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:198 +#: ../../tmp/translation/database_strings.rb:201 msgid "" "What types of data will you create and/or collect? What methods, arts-based an" "d otherwise, will you use?" msgstr "" -#: ../../tmp/translation/database_strings.rb:199 +#: ../../tmp/translation/database_strings.rb:202 msgid "" "What metadata will you create to ensure your data can be interpreted and reuse" "d in the future?" msgstr "" -#: ../../tmp/translation/database_strings.rb:200 +#: ../../tmp/translation/database_strings.rb:203 msgid "" "How much storage space will you need for digital data during your project? How" " long will you store them?" msgstr "" -#: ../../tmp/translation/database_strings.rb:201 +#: ../../tmp/translation/database_strings.rb:204 msgid "What are your preservation needs for your digital data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:202 +#: ../../tmp/translation/database_strings.rb:205 msgid "What types of data will you share and in what form?" msgstr "" -#: ../../tmp/translation/database_strings.rb:203 +#: ../../tmp/translation/database_strings.rb:206 msgid "" "Who will be responsible for research data management during and after your pro" "ject? What will their tasks be?" msgstr "" -#: ../../tmp/translation/database_strings.rb:204 +#: ../../tmp/translation/database_strings.rb:207 msgid "" "Are there policies that outline requirements and/or best practices pertaining " "to your research data management?" msgstr "" -#: ../../tmp/translation/database_strings.rb:205 +#: ../../tmp/translation/database_strings.rb:208 msgid "" "Are there any research data management policie" "s in place that outline requirements and/or best practice guidance regarding t" @@ -8864,21 +7544,21 @@ msgid "" "to these policies. " msgstr "" -#: ../../tmp/translation/database_strings.rb:206 +#: ../../tmp/translation/database_strings.rb:209 msgid "" "Describe the type(s) of data that you will collect, including all survey, inte" "rview and/or focus group data. If there are any additional types of data that " "will be collected or generated describe these as well." msgstr "" -#: ../../tmp/translation/database_strings.rb:207 +#: ../../tmp/translation/database_strings.rb:210 msgid "" "Describe any documentation and metadata that will be used in order to ensure t" "hat data are able to be read and understood both during the active phases of t" "he project and in the future." msgstr "" -#: ../../tmp/translation/database_strings.rb:208 +#: ../../tmp/translation/database_strings.rb:211 msgid "" "Describe where, how, and for how long data wil" "l be securely stored during the act" @@ -8889,7 +7569,7 @@ msgid "" "e regularly backed-up." msgstr "" -#: ../../tmp/translation/database_strings.rb:209 +#: ../../tmp/translation/database_strings.rb:212 msgid "" "Describe how you will ensure that your data is" " preservation ready, including the file format(s) that they will be preserved " @@ -8897,14 +7577,14 @@ msgid "" "ta from being lost while processing and converting files." msgstr "" -#: ../../tmp/translation/database_strings.rb:210 +#: ../../tmp/translation/database_strings.rb:213 msgid "" "Describe what data you will be sharing, includ" "ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" "/span>" msgstr "" -#: ../../tmp/translation/database_strings.rb:211 +#: ../../tmp/translation/database_strings.rb:214 msgid "" "Who will be responsible for data management du" "ring the project (i.e., during collection, processing, analysis, documentation" @@ -8913,7 +7593,7 @@ msgid "" "ng requirements." msgstr "" -#: ../../tmp/translation/database_strings.rb:212 +#: ../../tmp/translation/database_strings.rb:215 msgid "" "If applicable, what strategies will you undert" "ake to address secondary uses of data, " @@ -8921,25 +7601,25 @@ msgid "" "ght: 400;\">?" msgstr "" -#: ../../tmp/translation/database_strings.rb:213 +#: ../../tmp/translation/database_strings.rb:216 msgid "" "What types of data, metadata, and scripts will you collect, create, link to, a" "cquire, record, or generate through the proposed research project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:214 +#: ../../tmp/translation/database_strings.rb:217 msgid "" "In what file formats will your data be collected and generated? Will these for" "mats allow for data re-use, sharing and long-term access to the data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:215 +#: ../../tmp/translation/database_strings.rb:218 msgid "" "What information will be needed for the data to be read and interpreted correc" "tly?" msgstr "" -#: ../../tmp/translation/database_strings.rb:216 +#: ../../tmp/translation/database_strings.rb:219 msgid "" "Please identify the facilities to be used (laboratory, computer, office, clini" "cal and other) and/or list the organizational resources available to perform t" @@ -8948,17 +7628,17 @@ msgid "" "esearch project." msgstr "" -#: ../../tmp/translation/database_strings.rb:217 +#: ../../tmp/translation/database_strings.rb:220 msgid "What will you do to ensure portability and reproducibility of your results?" msgstr "" -#: ../../tmp/translation/database_strings.rb:218 +#: ../../tmp/translation/database_strings.rb:221 msgid "" "What will be the potential impact of the data within the immediate field and i" "n other fields, and any broader societal impact?" msgstr "" -#: ../../tmp/translation/database_strings.rb:219 +#: ../../tmp/translation/database_strings.rb:222 msgid "" "Describe each set of research materials using the table provided. Repeat as ma" "ny times as necessary for each new set.
\\r\n" @@ -9048,15 +7728,14 @@ msgid "" "" msgstr "" -#: ../../tmp/translation/database_strings.rb:220 +#: ../../tmp/translation/database_strings.rb:223 msgid "" "What documentation is required to correctly read and interpret the research da" "ta?" msgstr "" -#: ../../tmp/translation/database_strings.rb:221 +#: ../../tmp/translation/database_strings.rb:224 msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

Describe the storage conditions for your research data taking into account " "the following aspects:

\\r\n" "\\r\n" "\\r" -"\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"
(e." "g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
Anticipated storage dur" -"ation(e." -"g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
Is the access to this r" -"esearch data restricted? If " -"applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
Who can access the dat" -"a?De" -"scribe functional roles.

To " -"make sure your research data is transmitted in a secure manner or through serv" -"ers governed by Canadian or provincial legislation, either contact your institution’s library<" -"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
" -msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:218 -msgid "" -"Describe the research data that requires long-term preservation by considering" -" the following aspects:

\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"
Preservation reason(e.g. heritage value; value for one or m" -"ultiple research communities; public interest; policy requirement)
Preservation formatSee recommendations of" -" the Library of Congress. Note that converting from one file format to another for p" -"reservation purposes may result in loss of information. This type of operation" -" must be mentioned in the Documenta" -"tion and Metadata section.<" -"/td>\\r\n" -"
" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:219 -msgid "" -"

For each research dataset reported as containing sensitive data, identify t" -"he security issues that need to be considered to protect the privacy and confi" -"dentiality within your team.

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:220 -msgid "" -"

Describe each research dataset that will be shared with other researchers o" -"r a broader audience while taking into account the following considerations:\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"
Is it sensitive data?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Is the research data subject" -" to intellectual property?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Sharing requirementIt depen" -"ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
Target audience (e.g. hi" -"story researchers, researchers from various disciplines, general public)
" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:221 -msgid "" -"For all research data management activities, consider who is responsible (indi" -"vidual or organization), based on what timeframe, whether staff training is re" -"quired, and whether there are costs associated with these tasks." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:222 -msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" +"\n" "\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" +"\\r\n" +"\\r\n" +"\\r\n" "\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" +"\\r\n" +"\\r\n" "\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" +"\\r\n" +"\\r\n" +"\\r\n" "\\r\n" -"\\r\n" -"\\r\n" -"\\r\n" -======= -#: ../../tmp/translation/database_strings.rb:222 +"\\r\n" +"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
Data Creation Methodolo" -"gy
(if" -" the data are produced as part of the project)
(e.g., surveys and qualita" -"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy reasons befor" -"e being made available to researchers. In cases where the information will be " -"collected directly by the principal researcher, you should avoid disclosing an" -"y information that could identify a living person such as ethnic origin, perso" -"nal beliefs, personal orientation, health status, etc. without permission. For" -" further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
Anticipated storage dur" +"ation(e." +"g. for the duration of the project; 5 years after the end of the project; long" +" term = well beyond the end of the project)
Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format).\\r\n" +"
Is the access to this r" +"esearch data restricted? If " +"applicable, indicate what measures are being taken to manage this access (e.g." +" password protection, file encryption).
Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
(The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
Who can access the dat" +"a?De" +"scribe functional roles.

To " +"make sure your research data is transmitted in a secure manner or through serv" +"ers governed by Canadian or provincial legislation, either contact your institution’s library<" +"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" +"etwork.ca.
Will the dataset require updates?
If so, make sure to properly and timely document " -"this process in the Documentation and Metadata section.
" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:225 msgid "" "Describe the research data that requires long-term preservation by considering" " the following aspects:

\\r\n" @@ -9319,14 +7821,14 @@ msgid "" "" msgstr "" -#: ../../tmp/translation/database_strings.rb:223 +#: ../../tmp/translation/database_strings.rb:226 msgid "" "

For each research dataset reported as containing sensitive data, identify t" "he security issues that need to be considered to protect the privacy and confi" "dentiality within your team.

" msgstr "" -#: ../../tmp/translation/database_strings.rb:224 +#: ../../tmp/translation/database_strings.rb:227 msgid "" "

Describe each research dataset that will be shared with other researchers o" "r a broader audience while taking into account the following considerations:(e.g. hi" "story researchers, researchers from various disciplines, general public)\\r\n" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "\\r\n" "\\r\n" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:223 -======= -#: ../../tmp/translation/database_strings.rb:225 +#: ../../tmp/translation/database_strings.rb:228 msgid "" "For all research data management activities, consider who is responsible (indi" "vidual or organization), based on what timeframe, whether staff training is re" "quired, and whether there are costs associated with these tasks." msgstr "" -#: ../../tmp/translation/database_strings.rb:226 +#: ../../tmp/translation/database_strings.rb:229 msgid "" "Describe each set of research materials using the table provided. Repeat as ma" "ny times as necessary for each new set.
\\r\n" @@ -9475,8 +7973,7 @@ msgid "" "" msgstr "" -#: ../../tmp/translation/database_strings.rb:227 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:230 msgid "" "

Describe the storage conditions for your research data taking into account " "the following aspects:

\\r\n" @@ -9536,22 +8033,14 @@ msgid "" "



" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:224 -======= -#: ../../tmp/translation/database_strings.rb:228 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:231 msgid "" "

For each research dataset reported as containing sensitive data (see Resear" "ch Data Collection section), explain how this data will be safely mana" "ged to protect the privacy and confidentiality within your team.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:225 -======= -#: ../../tmp/translation/database_strings.rb:229 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:232 msgid "" "

Describe each research dataset that will be shared with other researchers o" "r a broader audience while taking into account the following considerations:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:226 -======= -#: ../../tmp/translation/database_strings.rb:230 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:233 msgid "" "Which RDC datasets will be used in the researc" "h?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:227 -======= -#: ../../tmp/translation/database_strings.rb:231 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:234 msgid "" "What will you do to ensure that your research " "data contributions (syntax, output etc…) in your RDC project folder and" @@ -9656,22 +8137,14 @@ msgid "" " accessible? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:228 -======= -#: ../../tmp/translation/database_strings.rb:232 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:235 msgid "" "What are the anticipated storage requirements " "for your project, in terms of storage space (in megabytes, gigabytes, terabyte" "s, etc.) and the length of time you will be storing it?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:229 -======= -#: ../../tmp/translation/database_strings.rb:233 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:236 msgid "" "Will you deposit your syntax and other researc" "h data in a repository to preserve your files? Please describe your intended p" @@ -9679,22 +8152,14 @@ msgid "" "cy concerns related to your supplemental/external data:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:230 -======= -#: ../../tmp/translation/database_strings.rb:234 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:237 msgid "" "

Outside of the data sharing/reuse that happ" "ens automatically within your project folder, what data will you be sharing, w" "here, and in what form (e.g. raw, processed, analyzed, final)?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:231 -======= -#: ../../tmp/translation/database_strings.rb:235 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:238 msgid "" "For the supplemental/external data, identify who will be responsible for managing thi" @@ -9702,221 +8167,133 @@ msgid "" "sks for which they will be responsible.
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:232 -======= -#: ../../tmp/translation/database_strings.rb:236 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:239 msgid "" "If your research project includes sensitive da" "ta, how will you ensure that it is securely managed and accessible only to app" "roved members of the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:233 -msgid "Why are you collecting or generating your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:234 -msgid "Does your project include sensitive data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:235 -======= -#: ../../tmp/translation/database_strings.rb:237 +#: ../../tmp/translation/database_strings.rb:240 msgid "Why are you collecting or generating your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:238 +#: ../../tmp/translation/database_strings.rb:241 msgid "Does your project include sensitive data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:239 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:242 msgid "" "What file formats will your data be in? Will these formats allow for data re-u" "se, sharing and long-term access to the data? If not, how will you convert the" "se into interoperable formats?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:236 -======= -#: ../../tmp/translation/database_strings.rb:240 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:243 msgid "" "Who will be responsible for managing this project's data during and after the " "project, and for what major data management tasks will they be responsible?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:237 -======= -#: ../../tmp/translation/database_strings.rb:241 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:244 msgid "" "Do you, your institution or collaborators have an existing data sharing strate" "gy?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:238 -======= -#: ../../tmp/translation/database_strings.rb:242 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:245 msgid "" "

What types of data will you collect, create, link to, acquire and/or record" " in each of the different stages of the systematic review?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:239 -======= -#: ../../tmp/translation/database_strings.rb:243 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:246 msgid "" "Where will you deposit your data for long-term preservation and sharing at the" " end of your research project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:240 -msgid "What type(s) of data will be produced and in what format(s)?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:241 -msgid "What data will you be sharing and in what form?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:242 -======= -#: ../../tmp/translation/database_strings.rb:244 +#: ../../tmp/translation/database_strings.rb:247 msgid "What type(s) of data will be produced and in what format(s)?" msgstr "" -#: ../../tmp/translation/database_strings.rb:245 +#: ../../tmp/translation/database_strings.rb:248 msgid "What data will you be sharing and in what form?" msgstr "" -#: ../../tmp/translation/database_strings.rb:246 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:249 msgid "" "Are there any ethical or legal concerns related to your data that you will nee" "d to address? Are there any ownership or intellectual property concerns that c" "ould limit if/how you can share your research outputs?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:243 -======= -#: ../../tmp/translation/database_strings.rb:247 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:250 msgid "" "Identify who will be responsible for managing data during and after the projec" "t. Indicate the major data management tasks for which they will be responsible" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:244 -======= -#: ../../tmp/translation/database_strings.rb:248 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:251 msgid "" "Who will be responsible for data management? Will the Principal Investigator (" "PI) hold all responsibility during and beyond the project, or will this be div" "ided among a team or partner organizations?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:245 -======= -#: ../../tmp/translation/database_strings.rb:249 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:252 msgid "" "What support material and documentation (e.g. ReadMe) will your team members a" "nd future researchers need in order to navigate and reuse your data without am" "biguity?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:246 -======= -#: ../../tmp/translation/database_strings.rb:250 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:253 msgid "" "List your anticipated storage needs (e.g., hard drives, cloud storage, shared " "drives). List how long you intend to use each type and what capacities you may" " require." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:247 -======= -#: ../../tmp/translation/database_strings.rb:251 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:254 msgid "" "How will your data (both raw and cleaned) be made accessible beyond the scope " "of the project and by researchers outside your team?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:248 -======= -#: ../../tmp/translation/database_strings.rb:252 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:255 msgid "" "

Are there institutional, governmental or legal policies that you need to co" "mply with in regards to your data standards?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:249 -======= -#: ../../tmp/translation/database_strings.rb:253 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:256 msgid "" "

Describe the types of data, and potential data sources, to be acquired duri" "ng the course of your study.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:250 -======= -#: ../../tmp/translation/database_strings.rb:254 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:257 msgid "" "How will you document your methods in order to" " support reproducibility?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:251 -======= -#: ../../tmp/translation/database_strings.rb:255 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:258 msgid "" "How and where will your data be stored and bac" "ked up during your research project? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:252 -======= -#: ../../tmp/translation/database_strings.rb:256 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:259 msgid "" "How will you store and retain your data after " "the active phase of data collection? For how long will you need to keep your d" "ata?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:253 -======= -#: ../../tmp/translation/database_strings.rb:257 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:260 msgid "" "How will you share data from this study with t" "he scientific community? How open can you make it? Describe whether you plan t" @@ -9924,22 +8301,14 @@ msgid "" "access, or offer it by request only." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:254 -======= -#: ../../tmp/translation/database_strings.rb:258 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:261 msgid "" "Identify who will be responsible for managing " "this project's data during and after the project and the major data management" " tasks for which they will be responsible." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:255 -======= -#: ../../tmp/translation/database_strings.rb:259 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:262 msgid "" "

Please provide the name and a web link for " "the research ethics board (REB) that is responsible for reviewing and overseei" @@ -9947,115 +8316,71 @@ msgid "" " the REB application.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:256 -======= -#: ../../tmp/translation/database_strings.rb:260 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:263 msgid "" "Give details about the sources of data, equipm" "ent used, and data formats produced for your project. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:257 -======= -#: ../../tmp/translation/database_strings.rb:261 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:264 msgid "" "What documentation will be needed for the data to be read and interpreted corr" "ectly in the future? Document key details of methods pertaining to data and me" "tadata here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:258 -======= -#: ../../tmp/translation/database_strings.rb:262 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:265 msgid "" "What form of encryption is used, if any, with " "data transfer and data storage? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:259 -======= -#: ../../tmp/translation/database_strings.rb:263 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:266 msgid "" "What data will be preserved for the long-term?" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:260 -======= -#: ../../tmp/translation/database_strings.rb:264 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:267 msgid "" "What data will you be sharing and in what form" "? (e.g. raw, processed, analyzed, final)" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:261 -======= -#: ../../tmp/translation/database_strings.rb:265 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:268 msgid "" "Describe your succession plan, indicating the " "procedures to be followed and the actions to be taken to ensure the continuati" "on of the data management if significant changes in personnel occur. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:262 -======= -#: ../../tmp/translation/database_strings.rb:266 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:269 msgid "" "If human imaging data are acquired, how will t" "he data be anonymized? Will any defacing techniques be used?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:263 -======= -#: ../../tmp/translation/database_strings.rb:267 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:270 msgid "" "What will you do to ensure that your research data contributions (syntax, outp" "ut etc…) in your RDC project folder and (if applicable) your external a" "nalysis are properly documented, organized and accessible?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:264 -======= -#: ../../tmp/translation/database_strings.rb:268 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:271 msgid "" "Will you deposit your syntax and other researc" "h data in a repository to host your syntax files publicly? If so, please descr" "ibe here:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:265 -======= -#: ../../tmp/translation/database_strings.rb:269 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:272 msgid "" "If you feel there are any additional sharing a" "nd reuse concerns related to your project please describe them here:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:266 -======= -#: ../../tmp/translation/database_strings.rb:270 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:273 msgid "" "

In addition to the data management employed" " by Statistics Canada, it is possible for researchers to have research output " @@ -10069,340 +8394,208 @@ msgid "" "ease estimate the overall data management costs.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:267 -======= -#: ../../tmp/translation/database_strings.rb:271 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:274 msgid "" "If you feel there are any additional legal or " "ethical requirements for your project please describe them here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:268 -======= -#: ../../tmp/translation/database_strings.rb:273 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:275 +msgid "test area" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:277 msgid "" "What file formats will your data be collected in? Will these formats allow for" " data re-use, sharing and long-term access to the data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:269 -======= -#: ../../tmp/translation/database_strings.rb:274 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:278 msgid "" "How will you make sure that documentation is created or captured consistently " "throughout your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:270 -======= -#: ../../tmp/translation/database_strings.rb:275 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:279 msgid "" "How and where will your data be stored and backed up during your research proj" "ect?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:271 -======= -#: ../../tmp/translation/database_strings.rb:276 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:280 msgid "" "Indicate how you will ensure your data is preservation ready. Consider preserv" "ation-friendly file formats, ensuring file integrity, anonymization and de-ide" "ntification, inclusion of supporting documentation." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:272 -msgid "Have you considered what type of end-user license to include with your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:273 -======= -#: ../../tmp/translation/database_strings.rb:277 +#: ../../tmp/translation/database_strings.rb:281 msgid "Have you considered what type of end-user license to include with your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:278 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:282 msgid "" "How will responsibilities for managing data activities be handled if substanti" "ve changes happen in the personnel overseeing the project's data, including a " "change of Principal Investigator?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:274 -======= -#: ../../tmp/translation/database_strings.rb:279 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:283 msgid "" "If applicable, what strategies will you undertake to address secondary uses of" " sensitive data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:275 -======= -#: ../../tmp/translation/database_strings.rb:280 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:284 msgid "" "Will you be using any existing data from exter" "nal sources or previous research?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:276 -======= -#: ../../tmp/translation/database_strings.rb:281 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:285 msgid "" "What software will you be using to support you" "r data analysis?" msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:277 -======= -#: ../../tmp/translation/database_strings.rb:282 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f + +#: ../../tmp/translation/database_strings.rb:286 msgid "" "Are there metadata standards which you could u" "se to describe your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:278 -======= -#: ../../tmp/translation/database_strings.rb:283 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:287 msgid "" "Where will your data be stored during the data collection phase?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:279 -======= -#: ../../tmp/translation/database_strings.rb:284 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:288 msgid "" "Who is responsible for managing the data after" " the study is complete?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:280 -======= -#: ../../tmp/translation/database_strings.rb:285 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:289 msgid "" "Who holds the intellectual property rights to " "your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:281 -======= -#: ../../tmp/translation/database_strings.rb:286 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:290 msgid "" "Who is the main contact and steward for the da" "ta collected in this study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:282 -======= -#: ../../tmp/translation/database_strings.rb:287 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:291 msgid "" "What data can/will be shared at the end of the" " study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:283 -======= -#: ../../tmp/translation/database_strings.rb:288 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:292 msgid "" "What software/technology development framework" " or model will be used, if any?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:284 -======= -#: ../../tmp/translation/database_strings.rb:289 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:293 msgid "" "What documentation will you develop to help ot" "hers write and run tests on your software/technology?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:285 -======= -#: ../../tmp/translation/database_strings.rb:290 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:294 msgid "" "Describe the level of risk associated with the" " use of public web services/infrastructure/databases regarding their stability" " and sustainability." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:286 -======= -#: ../../tmp/translation/database_strings.rb:291 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:295 msgid "" "What software/technology license will you choo" "se?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:287 -======= -#: ../../tmp/translation/database_strings.rb:292 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:296 msgid "" "Who is responsible for reviewing and accepting" " each software/technology release?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:288 -======= -#: ../../tmp/translation/database_strings.rb:293 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:297 msgid "" "What software/technology will be shared at the" " end of the study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:289 -======= -#: ../../tmp/translation/database_strings.rb:294 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:298 msgid "" "What data will be shared at the end of the stu" "dy?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:290 -======= -#: ../../tmp/translation/database_strings.rb:295 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:299 msgid "" "Do you plan to use datasets published by others? Where will you collect them f" "rom?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:291 -msgid "What metadata standard will you use?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:292 -msgid "How and where will you store and back up digital data during your project?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:293 -msgid "Where will you preserve your research data for the long-term, if needed?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:294 -======= -#: ../../tmp/translation/database_strings.rb:296 +#: ../../tmp/translation/database_strings.rb:300 msgid "What metadata standard will you use?" msgstr "" -#: ../../tmp/translation/database_strings.rb:297 +#: ../../tmp/translation/database_strings.rb:301 msgid "How and where will you store and back up digital data during your project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:298 +#: ../../tmp/translation/database_strings.rb:302 msgid "Where will you preserve your research data for the long-term, if needed?" msgstr "" -#: ../../tmp/translation/database_strings.rb:299 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:303 msgid "" "Will you need to share some data with restricted access? What restrictions wil" "l you apply?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:295 -======= -#: ../../tmp/translation/database_strings.rb:300 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:304 msgid "" "If responsibility for research data management needs to be transferred to othe" "r individuals or organizations, who will assume responsibility and how?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:296 -======= -#: ../../tmp/translation/database_strings.rb:301 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:305 msgid "" "What ethical and legal issues will affect your data? How will you address them" "?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:297 -======= -#: ../../tmp/translation/database_strings.rb:302 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:306 msgid "" "Are there any existing data that you can re-use and that will provide insight " "or answer any of your research questions? If so, please explain how you will o" "btain these data and integrate them into your research project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:298 -======= -#: ../../tmp/translation/database_strings.rb:303 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:307 msgid "" "Describe the file naming conventions that will be used in order to support qua" "lity assurance and version-control of your files and to help others understand" " how your data are organized." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:299 -======= -#: ../../tmp/translation/database_strings.rb:304 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:308 msgid "" "Describe how members of the research team will" " securely access and work with data during the active phases of the research p" "roject. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:300 -======= -#: ../../tmp/translation/database_strings.rb:305 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:309 msgid "" "Describe where you will preserve your data for" " long-term preservation, including any research data repositories that you may" @@ -10410,11 +8603,7 @@ msgid "" "n of your data, include those details." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:301 -======= -#: ../../tmp/translation/database_strings.rb:306 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:310 msgid "" "Describe whether there will be any restriction" "s placed on your data when they are made available and who may access them. If" @@ -10422,201 +8611,121 @@ msgid "" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:302 -======= -#: ../../tmp/translation/database_strings.rb:307 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:311 msgid "" "How will responsibilities for managing data ac" "tivities be handled if substantive changes happen in the personnel overseeing " "the project's data, including a change of Principal Investigator?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:303 -======= -#: ../../tmp/translation/database_strings.rb:308 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:312 msgid "" "How will you manage legal, ethical, and intell" "ectual property issues?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:304 -======= -#: ../../tmp/translation/database_strings.rb:309 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:313 msgid "" "If you are using a metadata standard and/or tools to document and describe you" "r data, please list them here. Explain the rationale for the selection of thes" "e standards." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:305 -======= -#: ../../tmp/translation/database_strings.rb:310 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:314 msgid "" "What will be the primary production computing platform(s) (e.g., compute clust" "ers, virtual clusters)?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:306 -======= -#: ../../tmp/translation/database_strings.rb:311 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:315 msgid "" "If your project includes sensitive data, how will you ensure that it is secure" "ly managed and accessible only to approved members of the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:307 -======= -#: ../../tmp/translation/database_strings.rb:312 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:316 msgid "" "Explain how the research data will be organized to facilitate understanding of" " its organization." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:308 -======= -#: ../../tmp/translation/database_strings.rb:313 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:317 msgid "" "What is the total cost for storage space in the active and semi-active phase o" "f the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:309 -======= -#: ../../tmp/translation/database_strings.rb:314 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:318 msgid "" "

Where will the research data be stored at the end of the research project?<" "/p>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:310 -======= -#: ../../tmp/translation/database_strings.rb:315 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:319 msgid "" "If research data sharing is desired and possible, what difficulties do you ant" "icipate in dealing with the secondary use of sensitive data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:311 -======= -#: ../../tmp/translation/database_strings.rb:316 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:320 msgid "" "Décrire la stratégie de diffusion envisagée pour faire co" "nnaître l’existence du matériel de recherche auprès " "de ses publics." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:312 -msgid "What is an overall cost estimate for the management of research materials?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:313 -======= -#: ../../tmp/translation/database_strings.rb:317 +#: ../../tmp/translation/database_strings.rb:321 msgid "What is an overall cost estimate for the management of research materials?" msgstr "" -#: ../../tmp/translation/database_strings.rb:318 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:322 msgid "" "What documentation strategy will enable you to regularly document the research" " data throughout the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:314 -======= -#: ../../tmp/translation/database_strings.rb:319 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:323 msgid "" "If research data sharing is desired and possible, what strategies will" " you implement to address the secondary use of sensitive data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:315 -======= -#: ../../tmp/translation/database_strings.rb:320 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:324 msgid "" "Describe the proposed dissemination strategy to communicate the existence of t" "he research data to its target audiences." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:316 -msgid "Describe your succession plan to deal with significant disruptions." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:317 -======= -#: ../../tmp/translation/database_strings.rb:321 +#: ../../tmp/translation/database_strings.rb:325 msgid "Describe your succession plan to deal with significant disruptions." msgstr "" -#: ../../tmp/translation/database_strings.rb:322 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:326 msgid "" "Please describe the collection process for the" " supplemental or external data that will be part of your project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:318 -======= -#: ../../tmp/translation/database_strings.rb:323 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:327 msgid "" "How will you make sure that the syntax archive" "d in your project folder (and if applicable that created for your external ana" "lysis) is created consistently throughout your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:319 -======= -#: ../../tmp/translation/database_strings.rb:324 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:328 msgid "" "How and where will your data be stored and bac" "ked up during your research project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:320 -======= -#: ../../tmp/translation/database_strings.rb:325 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:329 msgid "" "What type of end-user license will these share" "d data fall under?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:321 -======= -#: ../../tmp/translation/database_strings.rb:326 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:330 msgid "" "For the supplemental/external data, how will r" "esponsibilities for managing data activities be handled if substantive changes" @@ -10624,130 +8733,78 @@ msgid "" "Principal Investigator?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:322 -======= -#: ../../tmp/translation/database_strings.rb:327 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:331 msgid "" "If applicable, what strategies will you undert" "ake to address secondary uses of sensitive data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:323 -======= -#: ../../tmp/translation/database_strings.rb:328 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:332 msgid "" "What types of data will you collect, create, link to, acquire and/or record? P" "lease be specific, including:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:324 -======= -#: ../../tmp/translation/database_strings.rb:329 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:333 msgid "" "

What conventions and procedures will you use to structure, name and version" "-control your files to help you and others better understand how your data are" " organized?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:325 -msgid "

How will you describe samples collected?

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:326 -======= -#: ../../tmp/translation/database_strings.rb:330 +#: ../../tmp/translation/database_strings.rb:334 msgid "

How will you describe samples collected?

" msgstr "" -#: ../../tmp/translation/database_strings.rb:331 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:335 msgid "" "

How and where will your data be stored and backed up during your research p" "roject?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:327 -msgid "Are there restrictions on sharing due to ethics or legal constraints?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:328 -======= -#: ../../tmp/translation/database_strings.rb:332 +#: ../../tmp/translation/database_strings.rb:336 msgid "Are there restrictions on sharing due to ethics or legal constraints?" msgstr "" -#: ../../tmp/translation/database_strings.rb:333 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:337 msgid "" "

What file formats will your data be collected in? Will these formats allow " "for data re-use, sharing and long-term access to the data?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:329 -======= -#: ../../tmp/translation/database_strings.rb:334 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:338 msgid "" "Indicate how you will ensure your data is preservation ready. Consider preserv" "ation-friendly file formats, file integrity, and the inclusion of supporting d" "ocumentation." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:330 -======= -#: ../../tmp/translation/database_strings.rb:335 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:339 msgid "" "Does this project involve the use or analysis of secondary data? What is the d" "ata-sharing arrangement for these data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:331 -======= -#: ../../tmp/translation/database_strings.rb:336 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:340 msgid "" "How will you make sure that documentation is created or captured consistently " "throughout your project? What approaches will be employed by the research team" " to access, modify, and contribute data throughout the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:332 -======= -#: ../../tmp/translation/database_strings.rb:337 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:341 msgid "" "What steps will be taken to help the research community know that your researc" "h data exist?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:333 -======= -#: ../../tmp/translation/database_strings.rb:338 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:342 msgid "" "In the event that the PI leaves the project, who will replace them? Who will t" "ake temporary responsibility until a new PI takes over?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:334 -======= -#: ../../tmp/translation/database_strings.rb:339 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:343 msgid "" "Answer the following regarding file formats:
\\r\n" @@ -10765,75 +8822,47 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:335 -======= -#: ../../tmp/translation/database_strings.rb:340 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:344 msgid "" "How will you undertake documentation of data collection, processing and analys" "is, within your workflow to create consistent support material? Who will be re" "sponsible for this task?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:336 -======= -#: ../../tmp/translation/database_strings.rb:341 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:345 msgid "" "What is your anticipated backup and storage schedule? How often will you save " "your data, in what formats, and where?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:337 -======= -#: ../../tmp/translation/database_strings.rb:342 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:346 msgid "" "Is digital preservation a component of your pr" "oject and do you need to plan for long-term archiving and preservation?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:338 -======= -#: ../../tmp/translation/database_strings.rb:343 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:347 msgid "" "Will you encounter protected or personally-identifiable information in your re" "search? If so, how will you make sure it stays secure and is accessed by appro" "ved team members only?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:339 -======= -#: ../../tmp/translation/database_strings.rb:344 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:348 msgid "" "What are the anticipated storage requirements " "for your project, in terms of storage space (in megabytes, gigabytes, terabyte" "s, etc.)?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:340 -======= -#: ../../tmp/translation/database_strings.rb:345 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:349 msgid "" "If the project includes sensitive data, how wi" "ll you ensure that it is securely managed and accessible only to approved memb" "ers of the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:341 -======= -#: ../../tmp/translation/database_strings.rb:346 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:350 msgid "" "What conventions, methods, and standards will " "be used to structure, name and version-control your files to help you and othe" @@ -10842,11 +8871,7 @@ msgid "" "pan>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:342 -======= -#: ../../tmp/translation/database_strings.rb:347 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:351 msgid "" "

If you are using a data management applicat" "ion to manage data, please name which system. Describe the features of the app" @@ -10854,330 +8879,202 @@ msgid "" "cking, versioning, QC, longitudinal design).

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:343 -======= -#: ../../tmp/translation/database_strings.rb:348 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:352 msgid "" "What type of repository or storage service are you considering as the host of " "your shared data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:344 -======= -#: ../../tmp/translation/database_strings.rb:349 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:353 msgid "" "If external data are used in this study, pleas" "e provide the data license & data use agreement. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:345 -======= -#: ../../tmp/translation/database_strings.rb:350 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:354 msgid "" "How will you make sure that the syntax archive" "d in your project folder is created consistently throughout your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:346 -======= -#: ../../tmp/translation/database_strings.rb:351 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:355 msgid "" "

Is there any other preservation that will b" "e done as part of this research project? If so, please describe here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:347 -======= -#: ../../tmp/translation/database_strings.rb:352 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:356 +msgid "test checkout" +msgstr "" + +#: ../../tmp/translation/database_strings.rb:357 msgid "" "What conventions and procedures will you use to structure, name and version-co" "ntrol your files to help you and others better understand how your data are or" "ganized?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:348 -======= -#: ../../tmp/translation/database_strings.rb:353 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:358 msgid "" "If you are using a metadata standard and/or tools to document and describe you" "r data, please list here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:349 -======= -#: ../../tmp/translation/database_strings.rb:354 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:359 msgid "" "How will the research team and other collaborators access, modify, and contrib" "ute data throughout the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:350 -======= -#: ../../tmp/translation/database_strings.rb:355 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:360 msgid "" "What steps will be taken to help the research community know that your data ex" "ists?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:351 -======= -#: ../../tmp/translation/database_strings.rb:356 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:361 msgid "" "What resources will you require to implement your data management plan? What d" "o you estimate the overall cost for data management to be?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:352 -msgid "How will you manage legal, ethical, and intellectual property issues?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:353 -======= -#: ../../tmp/translation/database_strings.rb:357 +#: ../../tmp/translation/database_strings.rb:362 msgid "How will you manage legal, ethical, and intellectual property issues?" msgstr "" -#: ../../tmp/translation/database_strings.rb:358 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:363 msgid "" "What data collection instrument or scales will" " you use to collect the data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:354 -======= -#: ../../tmp/translation/database_strings.rb:359 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:364 msgid "" "What file formats will your data analysis file" "s be saved in?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:355 -======= -#: ../../tmp/translation/database_strings.rb:360 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:365 msgid "" "Who is the target population being investigate" "d?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:356 -======= -#: ../../tmp/translation/database_strings.rb:361 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:366 msgid "" "Where will your data be stored during the data analysis phase?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:357 -======= -#: ../../tmp/translation/database_strings.rb:362 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:367 msgid "" "Will your data be migrated to preservation for" "mats?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:358 -======= -#: ../../tmp/translation/database_strings.rb:363 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:368 msgid "" "What ethical guidelines or restraints are appl" "icable to your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:359 -======= -#: ../../tmp/translation/database_strings.rb:364 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:369 msgid "" "Who will have access to your data throughout t" "he project? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:360 -======= -#: ../../tmp/translation/database_strings.rb:365 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:370 msgid "" "What restrictions are placed on your data that" " would prohibit it from being made publicly available?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:361 -======= -#: ../../tmp/translation/database_strings.rb:366 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:371 msgid "" "Will you utilize any existing code to develop " "this software/technology? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:362 -======= -#: ../../tmp/translation/database_strings.rb:367 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:372 msgid "" "How will you track changes to code and depende" "ncies?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:363 -======= -#: ../../tmp/translation/database_strings.rb:368 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:373 msgid "" "Are there restrictions on how you can share yo" "ur software/technology related to patents, copyright, or intellectual property" "?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:364 -======= -#: ../../tmp/translation/database_strings.rb:369 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:374 msgid "" "Where will your data be stored during the data analysis phase?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:365 -======= -#: ../../tmp/translation/database_strings.rb:370 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:375 msgid "" "What ethical guidelines or constraints are app" "licable to your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:366 -======= -#: ../../tmp/translation/database_strings.rb:371 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:376 msgid "" "Who will have access to your data throughout t" "he project? Describe each collaborator’s responsibilities in relation to" " having access to the data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:367 -======= -#: ../../tmp/translation/database_strings.rb:372 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:377 msgid "" "What restrictions are placed on your data that" " would limit public data sharing?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:368 -======= -#: ../../tmp/translation/database_strings.rb:373 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:378 msgid "" "How will you digitally document artwork, artistic processes, and other non-dig" "ital data? What conditions, hardware, software, and skills will you need?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:369 -msgid "How will you consistently create metadata during your project?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:370 -msgid "How will you store non-digital data during your project?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:371 -msgid "How will you ensure your digital data is preservation ready?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:372 -======= -#: ../../tmp/translation/database_strings.rb:374 +#: ../../tmp/translation/database_strings.rb:379 msgid "How will you consistently create metadata during your project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:375 +#: ../../tmp/translation/database_strings.rb:380 msgid "How will you store non-digital data during your project?" msgstr "" -#: ../../tmp/translation/database_strings.rb:376 +#: ../../tmp/translation/database_strings.rb:381 msgid "How will you ensure your digital data is preservation ready?" msgstr "" -#: ../../tmp/translation/database_strings.rb:377 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:382 msgid "" "Who owns the data you will use in your project? Will the ownership of these da" "ta affect their sharing and reuse?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:373 -======= -#: ../../tmp/translation/database_strings.rb:378 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:383 msgid "" "What resources will you need to implement your data management plan? How much " "will they cost?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:374 -======= -#: ../../tmp/translation/database_strings.rb:379 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:384 msgid "" "If your project includes sensitive data, how will you ensure they are securely" " managed and accessible only to approved individuals during your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:375 -======= -#: ../../tmp/translation/database_strings.rb:380 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:385 msgid "" "

It is important to identify and understand " "as early as possible the methods which you will employ in collecting your data" @@ -11187,22 +9084,14 @@ msgid "" " collect your data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:376 -======= -#: ../../tmp/translation/database_strings.rb:381 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:386 msgid "" "Describe how you will ensure that documentatio" "n and metadata are created, captured and, if necessary, updated consistently t" "hroughout the research project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:377 -======= -#: ../../tmp/translation/database_strings.rb:382 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:387 msgid "" "Describe how much storage space you will requi" "re during the active phases of the research project, being sure to take into a" @@ -11210,90 +9099,54 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:378 -======= -#: ../../tmp/translation/database_strings.rb:383 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:388 msgid "" "What type of end-user license will you include" " with your data? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:379 -======= -#: ../../tmp/translation/database_strings.rb:384 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:389 msgid "" "What resources will you require to implement y" "our data management plan? What do you estimate the overall cost for data manag" "ement to be?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:380 -msgid "What are the technical details of each of the computational resources?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:381 -======= -#: ../../tmp/translation/database_strings.rb:385 +#: ../../tmp/translation/database_strings.rb:390 msgid "What are the technical details of each of the computational resources?" msgstr "" -#: ../../tmp/translation/database_strings.rb:386 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:391 msgid "" "Describe how digital files will be named and how their version(s) will be cont" "rolled to facilitate understanding of this organization." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:382 -======= -#: ../../tmp/translation/database_strings.rb:387 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:392 msgid "" "What are the costs related to the choice of deposit location and data preparat" "ion?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:383 -======= -#: ../../tmp/translation/database_strings.rb:388 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:393 msgid "" "Are there legal and intellectual property issues that will limit the opening o" "f data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:384 -======= -#: ../../tmp/translation/database_strings.rb:389 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:394 msgid "" "If applicable, indicate the metadata schema and tools used to document researc" "h data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:385 -======= -#: ../../tmp/translation/database_strings.rb:390 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:395 msgid "" "Des coûts sont-ils associés au choix du lieu de dépô" "t et à la préparation des données?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:386 -======= -#: ../../tmp/translation/database_strings.rb:391 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:396 msgid "" "What file formats will the supplementary data " "be collected and processed in? Will these formats permit sharing and long-term" @@ -11301,11 +9154,7 @@ msgid "" " way easily understood by others?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:387 -======= -#: ../../tmp/translation/database_strings.rb:392 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:397 msgid "" "

Please provide the information about the av" "ailability of the metadata for your project here (both the RDC data and your e" @@ -11316,31 +9165,19 @@ msgid "" "a)?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:388 -======= -#: ../../tmp/translation/database_strings.rb:393 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:398 msgid "" "How will the research team and other collabora" "tors access, modify, and contribute data throughout the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:389 -======= -#: ../../tmp/translation/database_strings.rb:394 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:399 msgid "" "What steps will you take to help the research " "community know that these data exist?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:390 -======= -#: ../../tmp/translation/database_strings.rb:395 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:400 msgid "" "For the supplemental/external data, what resou" "rces will you require to implement your data management plan for all your rese" @@ -11348,91 +9185,55 @@ msgid "" "overall cost for data management to be?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:391 -======= -#: ../../tmp/translation/database_strings.rb:396 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:401 msgid "" "

Where are you collecting or generating your data (i.e., study area)? Includ" "e as appropriate the spatial boundaries, water source type and watershed name." "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:392 -msgid "

How will you analyze and interpret the water quality data?

" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:393 -======= -#: ../../tmp/translation/database_strings.rb:397 +#: ../../tmp/translation/database_strings.rb:402 msgid "

How will you analyze and interpret the water quality data?

" msgstr "" -#: ../../tmp/translation/database_strings.rb:398 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:403 msgid "" "How will the research team and other collaborators access, modify and contribu" "te data throughout the project? How will data be shared?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:394 -======= -#: ../../tmp/translation/database_strings.rb:399 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:404 msgid "" "What data will you be sharing and in what form? (e.g., raw, processed, analyze" "d, final)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:395 -======= -#: ../../tmp/translation/database_strings.rb:400 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:405 msgid "" "What tools, devices, platforms, and/or software packages will be used to gener" "ate and manipulate data during the project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:396 -======= -#: ../../tmp/translation/database_strings.rb:401 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:406 msgid "" "

If you are using a metadata standard and/or online tools to document and de" "scribe your data, please list them here.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:397 -======= -#: ../../tmp/translation/database_strings.rb:402 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:407 msgid "" "If you will use your own code or software in this project, describe your strat" "egies for sharing it with other researchers." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:398 -======= -#: ../../tmp/translation/database_strings.rb:403 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:408 msgid "" "List all expected resources for data management required to complete your proj" "ect. What hardware, software and human resources will you need? What is your e" "stimated budget?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:399 -======= -#: ../../tmp/translation/database_strings.rb:404 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:409 msgid "" "Answer the following regarding naming conventions:
\\r\n" "
    \\r\n" @@ -11447,40 +9248,24 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:400 -msgid "Do you plan to use a metadata standard? What specific schema might you use?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:401 -======= -#: ../../tmp/translation/database_strings.rb:405 +#: ../../tmp/translation/database_strings.rb:410 msgid "Do you plan to use a metadata standard? What specific schema might you use?" msgstr "" -#: ../../tmp/translation/database_strings.rb:406 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:411 msgid "" "Keeping ethics protocol review requirements in mind, what is your intended sto" "rage timeframe for each type of data (raw, processed, clean, final) within you" "r team? Will you also store software code or metadata?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:402 -======= -#: ../../tmp/translation/database_strings.rb:407 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:412 msgid "" "What data will you be sharing publicly and in " "what form (e.g. raw, processed, analyzed, final)?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:403 -======= -#: ../../tmp/translation/database_strings.rb:408 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:413 msgid "" "Before publishing or otherwise sharing a datas" "et are you required to obscure identifiable data (name, gender, date of birth," @@ -11489,51 +9274,31 @@ msgid "" ">" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:404 -msgid "What anonymization measures are taken during data collection and storage?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:405 -======= -#: ../../tmp/translation/database_strings.rb:409 +#: ../../tmp/translation/database_strings.rb:414 msgid "What anonymization measures are taken during data collection and storage?" msgstr "" -#: ../../tmp/translation/database_strings.rb:410 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:415 msgid "" "Indicate how you will ensure your data, and an" "y accompanying materials (such as software, analysis scripts, or other tools)," " are preservation ready. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:406 -======= -#: ../../tmp/translation/database_strings.rb:411 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:416 msgid "" "Have you considered what type of end-user lice" "nse to include with your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:407 -======= -#: ../../tmp/translation/database_strings.rb:412 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:417 msgid "" "Do any other legal, ethical, and intellectual " "property issues require the creation of any special documents that should be s" "hared with the data, e.g., a LICENSE.txt file?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:408 -======= -#: ../../tmp/translation/database_strings.rb:413 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:418 msgid "" "Some metadata is available by contacting the R" "DC analyst. Is the metadata for the data to be used in your analysis available" @@ -11541,171 +9306,99 @@ msgid "" "the metadata for your project here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:409 -======= -#: ../../tmp/translation/database_strings.rb:414 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:419 msgid "" "

If you are using a metadata standard and/or tools to document and describe " "your data, please list here.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:410 -======= -#: ../../tmp/translation/database_strings.rb:415 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:420 msgid "" "Is your data collected longitudinally or at a " "single point in time?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:411 -======= -#: ../../tmp/translation/database_strings.rb:416 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:421 msgid "" "What coding scheme or methodology will you use" " to analyze your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:412 -msgid "How is the population being sampled?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:413 -======= -#: ../../tmp/translation/database_strings.rb:417 +#: ../../tmp/translation/database_strings.rb:422 msgid "How is the population being sampled?" msgstr "" -#: ../../tmp/translation/database_strings.rb:418 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:423 msgid "" "What backup measures will be implemented to en" "sure the safety of your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:414 -======= -#: ../../tmp/translation/database_strings.rb:419 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:424 msgid "" "How long do you intend to keep your data after" " the project is complete?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:415 -======= -#: ../../tmp/translation/database_strings.rb:420 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:425 msgid "" "What legal restraints are applicable to your d" "ata (e.g., ownership)?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:416 -======= -#: ../../tmp/translation/database_strings.rb:421 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:426 msgid "" "Will any new members be added or responsibilit" "ies be transferred over the course of the study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:417 -msgid "Where will you share your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:418 -======= -#: ../../tmp/translation/database_strings.rb:422 +#: ../../tmp/translation/database_strings.rb:427 msgid "Where will you share your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:423 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:428 msgid "" "What test cases will you use to develop the so" "ftware/technology?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:419 -======= -#: ../../tmp/translation/database_strings.rb:424 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:429 msgid "" "Where will you share your software/technology?" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:420 -======= -#: ../../tmp/translation/database_strings.rb:425 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:430 msgid "" "What code you will be generating that should a" "ccompany the data analysis file(s)?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:421 -msgid "What file formats will your data be created and/or collected in?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:422 -======= -#: ../../tmp/translation/database_strings.rb:426 +#: ../../tmp/translation/database_strings.rb:431 msgid "What file formats will your data be created and/or collected in?" msgstr "" -#: ../../tmp/translation/database_strings.rb:427 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:432 msgid "" "How will your research team and others transfer, access, and/or modify data du" "ring your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:423 -msgid "What are your preservation needs for your non-digital data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:424 -msgid "What type of end-user license will you include with your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:425 -======= -#: ../../tmp/translation/database_strings.rb:428 +#: ../../tmp/translation/database_strings.rb:433 msgid "What are your preservation needs for your non-digital data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:429 +#: ../../tmp/translation/database_strings.rb:434 msgid "What type of end-user license will you include with your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:430 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:435 msgid "" "If you will share sensitive data, what issues do you need to address? How will" " you address them?" msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:426 -======= -#: ../../tmp/translation/database_strings.rb:431 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f + +#: ../../tmp/translation/database_strings.rb:436 msgid "" "If interview and/or focus group audio recordings will be transcribed, describe" " how this will securely occur, including if it will be performed internally to" @@ -11713,421 +9406,249 @@ msgid "" "lectronic platforms or services will be used for transcribing." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:427 -======= -#: ../../tmp/translation/database_strings.rb:432 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:437 msgid "" "Describe any metadata standard(s) and/or tools" " that you will use to support the describing and documenting of your data. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:428 -======= -#: ../../tmp/translation/database_strings.rb:433 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:438 msgid "" "What large-scale data analysis framework (and associated technical specificati" "ons) will be used?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:429 -msgid "Under what licence do you plan to release your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:430 -======= -#: ../../tmp/translation/database_strings.rb:434 +#: ../../tmp/translation/database_strings.rb:439 msgid "Under what licence do you plan to release your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:435 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:440 msgid "" "Where will you deposit your data and software for preservation and access at t" "he end of your research project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:431 -======= -#: ../../tmp/translation/database_strings.rb:436 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:441 msgid "" "Describe the quality assurance process in place to ensure data quality and com" "pleteness during data operations (observation, recording, processing, analysis" ")." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:432 -======= -#: ../../tmp/translation/database_strings.rb:437 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:442 msgid "" "If you feel there are any other legal or ethic" "al requirements for your project please describe them here:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:433 -======= -#: ../../tmp/translation/database_strings.rb:438 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:443 msgid "" "Are you using third party data? If so, describe the source of the data includi" "ng the owner, database or repository DOIs or accession numbers." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:434 -msgid "How will you manage other legal, ethical, and intellectual property issues?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:435 -======= -#: ../../tmp/translation/database_strings.rb:439 +#: ../../tmp/translation/database_strings.rb:444 msgid "How will you manage other legal, ethical, and intellectual property issues?" msgstr "" -#: ../../tmp/translation/database_strings.rb:440 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:445 msgid "" "

What kind of Quality Assurance/Quality Control procedures are you planning " "to do?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:436 -======= -#: ../../tmp/translation/database_strings.rb:441 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:446 msgid "" "Will you deposit your data for long-term preservation and access at the end of" " your research project? Please indicate any repositories that you will use." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:437 -======= -#: ../../tmp/translation/database_strings.rb:442 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:447 msgid "" "Describe the data flow through the entire project. What steps will you take to" " increase the likelihood that your results will be reproducible?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:438 -======= -#: ../../tmp/translation/database_strings.rb:443 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:448 msgid "" "

Which data (research and computational outputs) will be retained after the " "completion of the project? Where will your research data be archived for the l" "ong-term? Describe your strategies for long-term data archiving.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:439 -======= -#: ../../tmp/translation/database_strings.rb:444 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:449 msgid "" "How will you make sure that a) your primary data collection methods are docume" "nted with transparency and b) your secondary data sources (i.e., data you did " "not collect yourself) — are easily identified and cited?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:440 -======= -#: ../../tmp/translation/database_strings.rb:445 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:450 msgid "" "Have you considered what type of end-user lice" "nse to include with your data? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:441 -======= -#: ../../tmp/translation/database_strings.rb:446 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:451 msgid "" "What is the time frame over which you are coll" "ecting data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:442 -======= -#: ../../tmp/translation/database_strings.rb:447 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:452 msgid "" "What quality assurance measures will be implem" "ented to ensure the accuracy and integrity of the data? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:443 -msgid "Is the population being weighted?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:444 -======= -#: ../../tmp/translation/database_strings.rb:448 +#: ../../tmp/translation/database_strings.rb:453 msgid "Is the population being weighted?" msgstr "" -#: ../../tmp/translation/database_strings.rb:449 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:454 msgid "" "If your data contains confidential information" ", how will your storage method ensure the protection of this data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:445 -======= -#: ../../tmp/translation/database_strings.rb:450 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:455 msgid "" "What procedures are in place to destroy the da" "ta after the retention period is complete?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:446 -======= -#: ../../tmp/translation/database_strings.rb:451 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:456 msgid "" "What methods will be used to manage the risk o" "f disclosure of participant information?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:447 -======= -#: ../../tmp/translation/database_strings.rb:452 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:457 msgid "" "If you have collected restricted data, what st" "eps would someone requesting your data need to follow in order to access it?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:448 -======= -#: ../../tmp/translation/database_strings.rb:453 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:458 msgid "" "How will your software/technology and document" "ation adhere to disability and/or accessibility guidelines?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:449 -======= -#: ../../tmp/translation/database_strings.rb:454 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:459 msgid "" "What quality assurance measures will be implem" "ented over the course of the study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:450 -msgid "What are the variables being studied? " -msgstr "" - -#: ../../tmp/translation/database_strings.rb:451 -======= -#: ../../tmp/translation/database_strings.rb:455 +#: ../../tmp/translation/database_strings.rb:460 msgid "What are the variables being studied? " msgstr "" -#: ../../tmp/translation/database_strings.rb:456 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:461 msgid "" "What file naming conventions will you use in y" "our study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:452 -======= -#: ../../tmp/translation/database_strings.rb:457 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:462 msgid "" "What steps will you take to destroy the data a" "fter the retention period is complete?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:453 -======= -#: ../../tmp/translation/database_strings.rb:458 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:463 msgid "" "What practices will you use to structure, name, and version-control your files" "?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:454 -======= -#: ../../tmp/translation/database_strings.rb:459 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:464 msgid "" "Are there data you will need or choose to destroy? If so, how will you destroy" " them securely?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:455 -msgid "How will researchers, artists, and/or the public find your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:456 -======= -#: ../../tmp/translation/database_strings.rb:460 +#: ../../tmp/translation/database_strings.rb:465 msgid "How will researchers, artists, and/or the public find your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:461 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:466 msgid "" "Describe how your data will be securely transferred, including from data colle" "ction devices/platforms and, if applicable, to/from transcriptionists." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:457 -======= -#: ../../tmp/translation/database_strings.rb:462 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:467 msgid "" "What software tools will be utilized and/or developed for the proposed researc" "h?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:458 -msgid "Under what licence do you plan to release your software?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:459 -msgid "What software code will you make available, and where?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:460 -msgid "What steps will you take to ensure your data is prepared for preservation?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:461 -======= -#: ../../tmp/translation/database_strings.rb:463 +#: ../../tmp/translation/database_strings.rb:468 msgid "Under what licence do you plan to release your software?" msgstr "" -#: ../../tmp/translation/database_strings.rb:464 +#: ../../tmp/translation/database_strings.rb:469 msgid "What software code will you make available, and where?" msgstr "" -#: ../../tmp/translation/database_strings.rb:465 +#: ../../tmp/translation/database_strings.rb:470 msgid "What steps will you take to ensure your data is prepared for preservation?" msgstr "" -#: ../../tmp/translation/database_strings.rb:466 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:471 msgid "" "What tools and strategies will you take to promote your research? How will you" " let the research community and the public know that your data exists and is r" "eady to be reused?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:462 -======= -#: ../../tmp/translation/database_strings.rb:467 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:472 msgid "" "What is the geographic location within the con" "text of the phenomenon/experience where data will be gathered?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:463 -======= -#: ../../tmp/translation/database_strings.rb:468 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:473 msgid "" "Are there any acronyms or abbreviations that w" "ill be used within your study?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:464 -======= -#: ../../tmp/translation/database_strings.rb:469 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:474 msgid "" "What file naming conventions will be used to s" "ave your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:465 -======= -#: ../../tmp/translation/database_strings.rb:470 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:475 msgid "" "What license will you apply to your data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:466 -======= -#: ../../tmp/translation/database_strings.rb:471 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:476 msgid "" "What dependencies will be used in the developm" "ent of this software/technology?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:467 -======= -#: ../../tmp/translation/database_strings.rb:472 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:477 msgid "" "What is the setting and geographic location of" " where the data is being gathered?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:468 -======= -#: ../../tmp/translation/database_strings.rb:473 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:478 msgid "" "Are there any acronyms or abbreviations that w" "ill be used within your study that may be unclear to others?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:469 -======= -#: ../../tmp/translation/database_strings.rb:474 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:479 msgid "" "Describe all of the file formats that your data will exist in, including for t" "he various versions of both survey and qualitative interview/focus group data." @@ -12135,135 +9656,79 @@ msgid "" " data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:470 -======= -#: ../../tmp/translation/database_strings.rb:475 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:480 msgid "" "What metadata/documentation do you need to provide for others to use your soft" "ware?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:471 -msgid "Describe your software sustainability plan." -msgstr "" - -#: ../../tmp/translation/database_strings.rb:472 -======= -#: ../../tmp/translation/database_strings.rb:476 +#: ../../tmp/translation/database_strings.rb:481 msgid "Describe your software sustainability plan." msgstr "" -#: ../../tmp/translation/database_strings.rb:477 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:482 msgid "" "

List any metadata standard(s) and/or tools you will use to document and des" "cribe your data:

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:473 -msgid "What type of end-user license will you use for your data?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:474 -======= -#: ../../tmp/translation/database_strings.rb:478 +#: ../../tmp/translation/database_strings.rb:483 msgid "What type of end-user license will you use for your data?" msgstr "" -#: ../../tmp/translation/database_strings.rb:479 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:484 msgid "" "What steps will be involved in the data collec" "tion process?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:475 -======= -#: ../../tmp/translation/database_strings.rb:480 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:485 msgid "" "What are the steps involved in the data collec" "tion process?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:476 -======= -#: ../../tmp/translation/database_strings.rb:481 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:486 msgid "" "If the metadata standard will be modified, please explain how you will modify " "the standard to meet your needs." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:477 -======= -#: ../../tmp/translation/database_strings.rb:482 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:487 msgid "" "What software programs will you use to collect" " the data?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:478 -======= -#: ../../tmp/translation/database_strings.rb:483 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:488 msgid "" "How will you make sure that metadata is created or captured consistently throu" "ghout your project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:479 -======= -#: ../../tmp/translation/database_strings.rb:484 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:489 msgid "" "What file formats will you be generating durin" "g the data collection phase?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:480 -======= -#: ../../tmp/translation/database_strings.rb:485 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:490 msgid "" "What are the technical details of each of the storage and file systems you wil" "l use during the active management of the research project?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:481 -msgid "What do you estimate the overall cost of managing your data will be?" -msgstr "" - -#: ../../tmp/translation/database_strings.rb:482 -======= -#: ../../tmp/translation/database_strings.rb:486 +#: ../../tmp/translation/database_strings.rb:491 msgid "What do you estimate the overall cost of managing your data will be?" msgstr "" -#: ../../tmp/translation/database_strings.rb:487 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:493 msgid "" "

Examples: numeric, images, audio, video, text, tabular data, modeling data," " spatial data, instrumentation data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:483 -======= -#: ../../tmp/translation/database_strings.rb:488 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:494 msgid "" "

Proprietary file formats requiring specialized software or hardware to use " "are not recommended, but may be necessary for certain data collection or analy" @@ -12275,11 +9740,7 @@ msgid "" "et=\"_blank\" rel=\"noopener\">UK Data Service.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:484 -======= -#: ../../tmp/translation/database_strings.rb:489 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:495 msgid "" "

It is important to keep track of different copies or versions of files, fil" "es held in different formats or locations, and information cross-referenced be" @@ -12296,11 +9757,7 @@ msgid "" "rsioning.aspx\" target=\"_blank\" rel=\"noopener\">UK Data Service.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:485 -======= -#: ../../tmp/translation/database_strings.rb:490 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:496 msgid "" "

Typically, good documentation includes information about the study, data-le" "vel descriptions, and any other contextual information required to make the da" @@ -12312,11 +9769,7 @@ msgid "" "d details of who has worked on the project and performed each task, etc.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:486 -======= -#: ../../tmp/translation/database_strings.rb:491 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:497 msgid "" "

Consider how you will capture this information and where it will be recorde" "d, ideally in advance of data collection and analysis, to ensure accuracy, con" @@ -12328,11 +9781,7 @@ msgid "" " gathering data documentation as a key element.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:487 -======= -#: ../../tmp/translation/database_strings.rb:492 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:498 msgid "" "

There are many general and domain-specific metadata standards.  Dataset doc" "umentation should be provided in one of these standard, machine readable, open" @@ -12345,11 +9794,7 @@ msgid "" "p>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:488 -======= -#: ../../tmp/translation/database_strings.rb:493 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:499 msgid "" "

Storage-space estimates should take into account requirements for file vers" "ioning, backups, and growth over time. 

If you are collecting data ove" @@ -12358,11 +9803,7 @@ msgid "" " necessary if you intend to retain your data after the research project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:489 -======= -#: ../../tmp/translation/database_strings.rb:494 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:500 msgid "" "

The risk of losing data due to human error, natural disasters, or other mis" "haps can be mitigated by following the .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:490 -======= -#: ../../tmp/translation/database_strings.rb:495 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:501 msgid "" "

An ideal solution is one that facilitates co-operation and ensures data sec" "urity, yet is able to be adopted by users with minimal training. Transmitting " @@ -12400,11 +9837,7 @@ msgid "" "brary to develop the best solution for your research project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:491 -======= -#: ../../tmp/translation/database_strings.rb:496 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:502 msgid "" "

The issue of data retention should be considered early in the research life" "cycle. Data-retention decisions can be driven by external policies (e.g. fund" @@ -12421,11 +9854,7 @@ msgid "" "utlined in your Data Management Plan.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:492 -======= -#: ../../tmp/translation/database_strings.rb:497 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:503 msgid "" "

Some data formats are optimal for long-term preservation of data. For examp" "le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" @@ -12443,11 +9872,7 @@ msgid "" "ymisation.aspx\" target=\"_blank\" rel=\"noopener\">UK Data Service.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:493 -======= -#: ../../tmp/translation/database_strings.rb:498 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:504 msgid "" "

Raw data are the data directly obtained from the instrument, simulat" "ion or survey.

Processed data result from some manipulation of th" @@ -12462,11 +9887,7 @@ msgid "" "rivacy/intellectual property considerations.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:494 -======= -#: ../../tmp/translation/database_strings.rb:499 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:505 msgid "" "

Licenses determine what uses can be made of your data. Funding agencies and" "/or data repositories may have end-user license requirements in place; if not," @@ -12486,11 +9907,7 @@ msgid "" "re.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:495 -======= -#: ../../tmp/translation/database_strings.rb:500 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:506 msgid "" "

Possibilities include: data registries, repositories, indexes, word-of-mout" "h, publications.

How will the data be accessed (Web service, ftp, etc.)?" @@ -12510,11 +9927,7 @@ msgid "" "al Institutes of Health.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:496 -======= -#: ../../tmp/translation/database_strings.rb:501 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:507 msgid "" "

Your data management plan has identified important data activities in your " "project. Identify who will be responsible -- individuals or organizations -- f" @@ -12523,11 +9936,7 @@ msgid "" "g needed to prepare staff for these duties.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:497 -======= -#: ../../tmp/translation/database_strings.rb:502 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:508 msgid "" "

Indicate a succession strategy for these data in the event that one or more" " people responsible for the data leaves (e.g. a graduate student leaving after" @@ -12537,11 +9946,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:498 -======= -#: ../../tmp/translation/database_strings.rb:503 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:509 msgid "" "

This estimate should incorporate data management costs incurred during the " "project as well as those required for the longer-term support for the data aft" @@ -12553,11 +9958,7 @@ msgid "" "butions of non-project staff.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:499 -======= -#: ../../tmp/translation/database_strings.rb:504 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:510 msgid "" "

Consider where, how, and to whom sensitive data with acknowledged long-term" " value should be made available, and how long it should be archived. These dec" @@ -12577,11 +9978,7 @@ msgid "" " never be shared via email or cloud storage services such as Dropbox.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:500 -======= -#: ../../tmp/translation/database_strings.rb:505 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:511 msgid "" "

Obtaining the appropriate consent from research participants is an importan" "t step in assuring Research Ethics Boards that the data may be shared with res" @@ -12595,11 +9992,7 @@ msgid "" "a>

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:501 -======= -#: ../../tmp/translation/database_strings.rb:506 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:512 msgid "" "

Compliance with privacy legislation and laws that may impose content restri" "ctions in the data should be discussed with your institution's privacy officer" @@ -12610,11 +10003,7 @@ msgid "" "le (e.g., subject consent, permissions, restrictions, etc.).

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:502 -======= -#: ../../tmp/translation/database_strings.rb:507 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:513 msgid "" "

The University of Guelph Library's Data Resource Centre provides d" @@ -12629,11 +10018,7 @@ msgid "" "a\" target=\"_blank\">lib.research@uoguelph.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:503 -======= -#: ../../tmp/translation/database_strings.rb:508 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:514 msgid "" "

The University of Guelph Library provides training and support related to <" "a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" @@ -12642,11 +10027,7 @@ msgid "" "ib.research@uoguelph.ca for more information.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:504 -======= -#: ../../tmp/translation/database_strings.rb:509 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:515 msgid "" "

Please see lib.research@uoguelph.ca for additional support.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:505 -======= -#: ../../tmp/translation/database_strings.rb:510 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:516 msgid "" "

The University of Guelph Library has created a lib.research@uoguelph.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:506 -======= -#: ../../tmp/translation/database_strings.rb:511 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:517 msgid "" "

Review lib.research@uoguelph.ca for additional support.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:507 -======= -#: ../../tmp/translation/database_strings.rb:512 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:518 msgid "" "

Please see .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:508 -======= -#: ../../tmp/translation/database_strings.rb:513 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:519 msgid "" "

On campus, Computing" " and Communications Services (CCS) provides support for short-term storage" @@ -12719,11 +10084,7 @@ msgid "" "to:lib.research@uoguelph.ca\" target=\"_blank\">lib.research@uoguelph.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:509 -======= -#: ../../tmp/translation/database_strings.rb:514 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:520 msgid "" "

On campus, Computing" " and Communications Services (CCS) provides support for file security and " @@ -12737,11 +10098,7 @@ msgid "" "lph.ca\" target=\"_blank\">lib.research@uoguelph.ca for more information.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:510 -======= -#: ../../tmp/translation/database_strings.rb:515 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:521 msgid "" "

The University of Guelph Library provides support for researchers in determ" "ining the appropriate method and location for the preservation of data.

\\r\n" @@ -12758,11 +10115,7 @@ msgid "" "tion.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:511 -======= -#: ../../tmp/translation/database_strings.rb:516 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:522 msgid "" "

Please see Pres" @@ -12772,11 +10125,7 @@ msgid "" "lib.research@uoguelph.ca\" target=\"_blank\">lib.research@uoguelph.ca

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:512 -======= -#: ../../tmp/translation/database_strings.rb:517 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:523 msgid "" "

Please see Sha" @@ -12785,11 +10134,7 @@ msgid "" "blank\">lib.research@uoguelph.ca

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:513 -======= -#: ../../tmp/translation/database_strings.rb:518 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:524 msgid "" "

The University of Guelph Library offers Resea" @@ -12806,11 +10151,7 @@ msgid "" "a\" target=\"_blank\">lib.research@uoguelph.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:514 -======= -#: ../../tmp/translation/database_strings.rb:519 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:525 msgid "" "

The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" "mans (Chapter 5) - " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:515 -======= -#: ../../tmp/translation/database_strings.rb:520 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:526 msgid "" "

Researchers should consult the Tri-Council Po" @@ -12853,11 +10190,7 @@ msgid "" "

 

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:516 -======= -#: ../../tmp/translation/database_strings.rb:521 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:527 msgid "" "

Les Services informatiques ont une offr" @@ -12866,11 +10199,7 @@ msgid "" "o;infrastructure nécessaire à votre projet de recherche.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:517 -======= -#: ../../tmp/translation/database_strings.rb:522 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:528 msgid "" "

Les Services informatiques peuvent vous" @@ -12878,11 +10207,7 @@ msgid "" "p>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:518 -======= -#: ../../tmp/translation/database_strings.rb:523 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:529 msgid "" "

Les Services informatiques offrent une solution locale de stockage et de pa" "rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" @@ -12895,11 +10220,7 @@ msgid "" "/p>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:519 -======= -#: ../../tmp/translation/database_strings.rb:524 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:530 msgid "" "

Un professionnel de l’équipe de soutien à la gestion de" "s données de recherche peut vous aider à identifier des dé" @@ -12907,11 +10228,7 @@ msgid "" "arget=\"_blank\">gdr@uqam.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:520 -======= -#: ../../tmp/translation/database_strings.rb:525 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:531 msgid "" "

La Politique de la recherche et de la cr&eacu" @@ -12939,11 +10256,7 @@ msgid "" ";tre, après une analyse coût-bénéfice.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:521 -======= -#: ../../tmp/translation/database_strings.rb:526 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:532 msgid "" "

Les Services informatiques peuvent vous" @@ -12951,11 +10264,7 @@ msgid "" ";cessaire à votre projet de recherche.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:522 -======= -#: ../../tmp/translation/database_strings.rb:527 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:533 msgid "" "

Les Services informatiques ont produit un « Guide de bonnes prati" @@ -12963,11 +10272,7 @@ msgid "" "he ».

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:523 -======= -#: ../../tmp/translation/database_strings.rb:528 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:534 msgid "" "

L’équipe de soutien à la gestion des données de " "recherche peut vous mettre en relation avec des professionnels qualifié" @@ -12976,11 +10281,7 @@ msgid "" "et=\"_blank\">gdr@uqam.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:524 -======= -#: ../../tmp/translation/database_strings.rb:529 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:535 msgid "" "

See more about best practices on file formats from the

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:525 -======= -#: ../../tmp/translation/database_strings.rb:530 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:536 msgid "" "

DDI is a common metadata standard for the social sciences. SFU Radar uses D" "DI Codebook to describe data so other researchers can find it by searching a d" @@ -13003,11 +10300,7 @@ msgid "" " Metadata.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:526 -======= -#: ../../tmp/translation/database_strings.rb:531 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:537 msgid "" "

If paying for an external hosting service, you will need to keep paying for" " it, or have some migration plan (e.g., depositing the data into a university " @@ -13017,11 +10310,7 @@ msgid "" "or some projects.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:527 -======= -#: ../../tmp/translation/database_strings.rb:532 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:538 msgid "" "
SFU's IT Services.
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:528 -======= -#: ../../tmp/translation/database_strings.rb:533 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:539 msgid "" "

Consider contacting SFU Library Data Services to develop the best solution for y" "our research project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:529 -======= -#: ../../tmp/translation/database_strings.rb:534 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:540 msgid "" "

If you need assistance locating a suitable data repository or archive, plea" "se contact SFU Libr" @@ -13099,11 +10380,7 @@ msgid "" "g is a directory of potential open data repositories.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:530 -======= -#: ../../tmp/translation/database_strings.rb:535 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:541 msgid "" "

Some data formats are optimal for long-term preservation of data. For examp" "le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" @@ -13116,11 +10393,7 @@ msgid "" "ain original formats, even if they are proprietary.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:531 -======= -#: ../../tmp/translation/database_strings.rb:536 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:542 msgid "" "

There are various creative commons licenses which can be applied to data. <" "a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" @@ -13128,11 +10401,7 @@ msgid "" " at SFU.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:532 -======= -#: ../../tmp/translation/database_strings.rb:537 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:543 msgid "" "

If possible, choose a repository like the Canadian Federated Research Data " "Repository, " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:533 -======= -#: ../../tmp/translation/database_strings.rb:538 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:544 msgid "" "

If you need advice on identifying potential support, contact data-services@" "sfu.ca

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:534 -======= -#: ../../tmp/translation/database_strings.rb:539 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:545 msgid "" "

Decisions relevant to data retention and storage should align with SFU's Of" "fice of Research Ethics requirements.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:535 -======= -#: ../../tmp/translation/database_strings.rb:540 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:546 msgid "" "

SFU's Office of Research Ethics' consent statement shou" @@ -13183,11 +10440,7 @@ msgid "" "/a> also provide examples of informed consent language for data sharing.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:536 -======= -#: ../../tmp/translation/database_strings.rb:541 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:547 msgid "" "

The BC Freedom of Information and Protection of Privacy Act

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:537 -======= -#: ../../tmp/translation/database_strings.rb:542 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:548 msgid "" "\\r\n" "\\r\n" @@ -13222,11 +10471,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:538 -======= -#: ../../tmp/translation/database_strings.rb:543 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:549 msgid "" "\\r\n" "\\r\n" @@ -13241,11 +10486,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:539 -======= -#: ../../tmp/translation/database_strings.rb:544 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:550 msgid "" "

For assistance with IT requirements definition and IT infrastructure & " "solutions review or for help regarding business case preparation for new inves" @@ -13254,11 +10495,7 @@ msgid "" "IT Research Support Team.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:540 -======= -#: ../../tmp/translation/database_strings.rb:545 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:551 msgid "" "

For more information on data storage and backup, see Concordia Library&rsqu" "o;s IT Research Support Team.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:541 -======= -#: ../../tmp/translation/database_strings.rb:546 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:552 msgid "" "\\r\n" "\\r\n" @@ -13291,22 +10524,14 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:542 -======= -#: ../../tmp/translation/database_strings.rb:547 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:553 msgid "" "

For more information on data archiving options, see Concordia Library&rsquo" ";s Research data management guide.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:543 -======= -#: ../../tmp/translation/database_strings.rb:548 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:554 msgid "" "\\r\n" "\\r\n" @@ -13320,11 +10545,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:544 -======= -#: ../../tmp/translation/database_strings.rb:549 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:555 msgid "" "\\r\n" "\\r\n" @@ -13350,11 +10571,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:545 -======= -#: ../../tmp/translation/database_strings.rb:550 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:556 msgid "" "

The answer to this question must be in line with Concordia University&rsquo" ";s .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:546 -======= -#: ../../tmp/translation/database_strings.rb:551 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:557 msgid "" "

The information provided here may also be useful in completing section 13 (" "confidentiality, access, and storage) of the  for research involving human participants.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:547 -======= -#: ../../tmp/translation/database_strings.rb:552 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:558 msgid "" "\\r\n" "\\r\n" @@ -13416,21 +10625,13 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:548 -======= -#: ../../tmp/translation/database_strings.rb:553 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:559 msgid "" "

Research Data Manag" "ement Guide

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:549 -======= -#: ../../tmp/translation/database_strings.rb:554 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:560 msgid "" "Describe all types of data you will collect th" "roughout the research process, with special attention paid to participant-driv" @@ -13438,11 +10639,7 @@ msgid "" "rt, photographs, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:550 -======= -#: ../../tmp/translation/database_strings.rb:555 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:561 msgid "" "If you will be combining original research dat" "a with existing, or previously used research data, describe those data here. P" @@ -13451,11 +10648,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:551 -======= -#: ../../tmp/translation/database_strings.rb:556 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:562 msgid "" "Provide a description of any data collection i" "nstruments or scales that will be used to collect data. These may include but " @@ -13464,11 +10657,7 @@ msgid "" " section." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:552 -======= -#: ../../tmp/translation/database_strings.rb:557 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:563 msgid "" "Describe the frequency in which you will be co" "llecting data from participants. If you are performing narrative inquiry or lo" @@ -13476,11 +10665,7 @@ msgid "" "e same participants?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:553 -======= -#: ../../tmp/translation/database_strings.rb:558 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:564 msgid "" "Provide an estimate of when you will begin and" " conclude the data collection process. List this information in the following " @@ -13488,11 +10673,7 @@ msgid "" "/MM - YYYY/MM instead." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:554 -======= -#: ../../tmp/translation/database_strings.rb:559 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:565 msgid "" "Provide a description of the environment and g" "eographic location of where data will be gathered, within the context of the s" @@ -13500,11 +10681,7 @@ msgid "" "onal, provincial, or municipal locations if applicable." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:555 -======= -#: ../../tmp/translation/database_strings.rb:560 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:566 msgid "" "

Summarize the steps that are involved in th" "e data collection process for your study. This section should include informat" @@ -13517,11 +10694,7 @@ msgid "" ">

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:556 -======= -#: ../../tmp/translation/database_strings.rb:561 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:567 msgid "" "Include a description of any software that wil" "l be used to gather data. Examples may include but are not limited to word pro" @@ -13529,22 +10702,14 @@ msgid "" "e version of each software program used if applicable." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:557 -======= -#: ../../tmp/translation/database_strings.rb:562 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:568 msgid "" "List the file formats associated with each sof" "tware program that will be generated during the data collection phase (e.g., ." "txt, .csv, .mp4, .wav)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:558 -======= -#: ../../tmp/translation/database_strings.rb:563 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:569 msgid "" "Provide a description of how you will track ch" "anges made to any data analysis files. Examples might include any audit trail " @@ -13552,44 +10717,28 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:559 -======= -#: ../../tmp/translation/database_strings.rb:564 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:570 msgid "" "Include any software programs you plan to use " "to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" "tc.). Include the version if applicable." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:560 -======= -#: ../../tmp/translation/database_strings.rb:565 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:571 msgid "" "List the file formats associated with each ana" "lysis software program that will be generated in your study (e.g., .txt, .csv," " .xsls, .docx). " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:561 -======= -#: ../../tmp/translation/database_strings.rb:566 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:572 msgid "" "Include the coding scheme used to analyze your" " data -- consider providing a copy of your codebook. If other methods of analy" "sis were performed, describe them here. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:562 -======= -#: ../../tmp/translation/database_strings.rb:567 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:573 msgid "" "Outline the steps that will be taken to ensure" " the quality and transparency during the data analysis process. In this sectio" @@ -13601,11 +10750,7 @@ msgid "" "an style=\"font-weight: 400;\"> when completing this section." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:563 -======= -#: ../../tmp/translation/database_strings.rb:568 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:574 msgid "" "Consider what information might be useful to a" "ccompany your data if you were to share it with someone else (e.g., the study " @@ -13613,11 +10758,7 @@ msgid "" "naires, user guide for the data, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:564 -======= -#: ../../tmp/translation/database_strings.rb:569 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:575 msgid "" "Metadata standards can provide guidance on how" " best to document your data. If you do not know of any existing standards in y" @@ -13626,52 +10767,32 @@ msgid "" "ng.org/." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:565 -======= -#: ../../tmp/translation/database_strings.rb:570 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:576 msgid "" "Describe the participants whose lived experien" "ces/phenomena are being studied in this project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:566 -======= -#: ../../tmp/translation/database_strings.rb:571 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:577 msgid "" "Provide a brief description of the sampling pr" "ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:567 -======= -#: ../../tmp/translation/database_strings.rb:572 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:578 msgid "" "Outline any weighting or representative sampli" "ng that is being applied in this study." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:568 -======= -#: ../../tmp/translation/database_strings.rb:573 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:579 msgid "" "Provide a glossary of any acronyms or abbrevia" "tions used within your study." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:569 -======= -#: ../../tmp/translation/database_strings.rb:574 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:580 msgid "" "Provide an estimate of how much data you will " "collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" @@ -13679,11 +10800,7 @@ msgid "" "r interview transcripts)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:570 -======= -#: ../../tmp/translation/database_strings.rb:575 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:581 msgid "" "Describe where your data will be stored while " "data is being gathered from participants (e.g., in a secure, password protecte" @@ -13691,21 +10808,13 @@ msgid "" "l computer storage)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:571 -======= -#: ../../tmp/translation/database_strings.rb:576 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:582 msgid "" "If different from the above, describe where yo" "ur data will be stored while performing data analysis." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:572 -======= -#: ../../tmp/translation/database_strings.rb:577 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:583 msgid "" "Describe how your study data will be regularly" " saved and updated. If using institutional servers, consult with your Informat" @@ -13713,11 +10822,7 @@ msgid "" "/span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:573 -======= -#: ../../tmp/translation/database_strings.rb:578 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:584 msgid "" "Outline the procedures that will safeguard sen" "sitive data collected during your study. This may include storing identifying " @@ -13726,11 +10831,7 @@ msgid "" " investigators analyzing the data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:574 -======= -#: ../../tmp/translation/database_strings.rb:579 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:585 msgid "" "Provide examples of a consistent file naming c" "onvention that will be used for this study. Examples of file names might inclu" @@ -13741,11 +10842,7 @@ msgid "" "ile naming." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:575 -======= -#: ../../tmp/translation/database_strings.rb:580 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:586 msgid "" "Describe where your data will be stored after " "project completion (e.g., in an institutional repository, " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:576 -======= -#: ../../tmp/translation/database_strings.rb:581 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:587 msgid "" "Name the person(s) responsible for managing th" "e data at the completion of the project. List their affiliation(s) and contact" " information." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:577 -======= -#: ../../tmp/translation/database_strings.rb:582 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:588 msgid "" "Many proprietary file formats such as those ge" "nerated from Microsoft software or statistical analysis tools can make the dat" @@ -13781,11 +10870,7 @@ msgid "" ">" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:578 -======= -#: ../../tmp/translation/database_strings.rb:583 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:589 msgid "" "Provide details on how long you plan to keep y" "our data after the project, and list any requirements you must follow based on" @@ -13793,11 +10878,7 @@ msgid "" ". " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:579 -======= -#: ../../tmp/translation/database_strings.rb:584 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:590 msgid "" "Describe what steps will be taken to destroy s" "tudy data. These steps may include shredding physical documents, making data u" @@ -13805,11 +10886,7 @@ msgid "" "r personal measures to eliminate data files." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:580 -======= -#: ../../tmp/translation/database_strings.rb:585 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:591 msgid "" "Outline the information provided in your Resea" "rch Ethics Board protocol, and describe how and when informed consent is colle" @@ -13818,22 +10895,14 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:581 -======= -#: ../../tmp/translation/database_strings.rb:586 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:592 msgid "" "Provide the name, institutional affiliation, a" "nd contact information of the person(s) who hold intellectual property rights " "to the data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:582 -======= -#: ../../tmp/translation/database_strings.rb:587 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:593 msgid "" "Describe any ethical concerns that may be asso" "ciated with the data in this study. For example, if vulnerable and/or Indigeno" @@ -13844,11 +10913,7 @@ msgid "" "ards, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:583 -======= -#: ../../tmp/translation/database_strings.rb:588 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:594 msgid "" "Provide details describing the legal restricti" "ons that apply to your data. These restrictions may include, but are not limit" @@ -13856,11 +10921,7 @@ msgid "" "institutional, or community agreements, among others." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:584 -======= -#: ../../tmp/translation/database_strings.rb:589 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:595 msgid "" "List all the steps that will be taken to remov" "e the risk of disclosing personal information from study participants. Include" @@ -13869,33 +10930,21 @@ msgid "" ", specify the information type(s) being altered (e.g., names, addresses, dates" ", location)." msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:585 -======= -#: ../../tmp/translation/database_strings.rb:590 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f + +#: ../../tmp/translation/database_strings.rb:596 msgid "" "Describe any financial resources that may be r" "equired to properly manage your research data. This may include, but not be li" "mited to personnel, storage requirements, software, or hardware." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:586 -======= -#: ../../tmp/translation/database_strings.rb:591 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:597 msgid "" "Provide the name(s), affiliation(s), and conta" "ct information for the main study contact." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:587 -======= -#: ../../tmp/translation/database_strings.rb:592 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:598 msgid "" "Provide the name(s), affiliation(s), contact i" "nformation, and responsibilities of each study team member in relation to work" @@ -13904,11 +10953,7 @@ msgid "" "vide their information as well." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:588 -======= -#: ../../tmp/translation/database_strings.rb:593 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:599 msgid "" "Describe the process by which new collaborator" "s/team members will be added to the project, if applicable. Include the type(s" @@ -13916,31 +10961,19 @@ msgid "" " after the project is complete." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:589 -======= -#: ../../tmp/translation/database_strings.rb:594 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:600 msgid "" "Describe the intended audience for your data. " "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:590 -======= -#: ../../tmp/translation/database_strings.rb:595 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:601 msgid "" "Describe what data can/will be shared at the e" "nd of the study. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:591 -======= -#: ../../tmp/translation/database_strings.rb:596 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:602 msgid "" "Restrictions on data may include, but are not " "limited to, the sensitivity of the data, data being acquired under license, or" @@ -13948,11 +10981,7 @@ msgid "" "(if any) apply to your research data. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:592 -======= -#: ../../tmp/translation/database_strings.rb:597 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:603 msgid "" "Provide the location where you intend to share" " your data. This may be an institutional repository, " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:593 -======= -#: ../../tmp/translation/database_strings.rb:598 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:604 msgid "" "If your data is restricted, describe how a res" "earcher could access that data for secondary analysis. Examples of these proce" @@ -13974,11 +10999,7 @@ msgid "" "thers. Be as specific as possible in this section." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:594 -======= -#: ../../tmp/translation/database_strings.rb:599 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:605 msgid "" "Select a license that best suits the parameter" "s of how you would like to share your data, and how you would prefer to be cre" @@ -13987,21 +11008,13 @@ msgid "" "g/choose/." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:595 -======= -#: ../../tmp/translation/database_strings.rb:600 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:606 msgid "" "Describe the software/technology being develop" "ed for this study, including its intended purpose." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:596 -======= -#: ../../tmp/translation/database_strings.rb:601 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:607 msgid "" "Describe the underlying approach you will take" " to the development and testing of the software/technology. Examples may inclu" @@ -14012,11 +11025,7 @@ msgid "" "develop your own approach, describe that approach here. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:597 -======= -#: ../../tmp/translation/database_strings.rb:602 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:608 msgid "" "If you are using open source or existing softw" "are/technology code to develop your own program, provide a citation of that so" @@ -14025,11 +11034,7 @@ msgid "" "e. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:598 -======= -#: ../../tmp/translation/database_strings.rb:603 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:609 msgid "" "Describe the methodology that will be used to " "run and test the software/technology during the study. This may include: beta " @@ -14037,22 +11042,14 @@ msgid "" "ology." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:599 -======= -#: ../../tmp/translation/database_strings.rb:604 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:610 msgid "" "Describe the disability and accessibility guid" "elines you will follow to ensure your software/technology is adaptable and usa" "ble to persons with disabilities or accessibility issues. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:600 -======= -#: ../../tmp/translation/database_strings.rb:605 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:611 msgid "" "Describe the requirements needed to support th" "e software/technology used in the study. This may include: types of operating " @@ -14061,11 +11058,7 @@ msgid "" " used with (e.g., web, mobile)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:601 -======= -#: ../../tmp/translation/database_strings.rb:606 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:612 msgid "" "Consider what information might be useful to a" "ccompany your software/technology if you were to share it with someone else. E" @@ -14076,11 +11069,7 @@ msgid "" "pan style=\"font-weight: 400;\">)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:602 -======= -#: ../../tmp/translation/database_strings.rb:607 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:613 msgid "" "Consider the software/technology development p" "hase and indicate any instructions that will accompany the program. Examples m" @@ -14088,11 +11077,7 @@ msgid "" "es, etc." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:603 -======= -#: ../../tmp/translation/database_strings.rb:608 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:614 msgid "" "Include information about any programs or step" "s you will use to track the changes made to program source code. Examples migh" @@ -14103,11 +11088,7 @@ msgid "" "k changes and manage library dependencies." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:604 -======= -#: ../../tmp/translation/database_strings.rb:609 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:615 msgid "" "Describe any plans to continue maintaining sof" "tware/technology after project completion. Use this section to either describe" @@ -14115,11 +11096,7 @@ msgid "" "apply for future funding." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:605 -======= -#: ../../tmp/translation/database_strings.rb:610 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:616 msgid "" "Include information about how the software/tec" "hnology will remain secure over time. Elaborate on any encryption measures or " @@ -14127,11 +11104,7 @@ msgid "" "pan>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:606 -======= -#: ../../tmp/translation/database_strings.rb:611 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:617 msgid "" "List the copyright holder of the software/tech" "nology. See the " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:607 -======= -#: ../../tmp/translation/database_strings.rb:612 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:618 msgid "" "Describe the license chosen for the software/t" "echnology and its intended use. See list of license options . " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:608 -======= -#: ../../tmp/translation/database_strings.rb:613 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:619 msgid "" "Provide the name(s), affiliation, contact info" "rmation, and responsibilities of each study team member in relation to working" @@ -14165,42 +11130,26 @@ msgid "" "l." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:609 -======= -#: ../../tmp/translation/database_strings.rb:614 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:620 msgid "" "Indicate the steps that are required to formal" "ly approve a release of software/technology. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:610 -======= -#: ../../tmp/translation/database_strings.rb:615 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:621 msgid "" "Describe who the intended users are of the sof" "tware/technology being developed. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:611 -======= -#: ../../tmp/translation/database_strings.rb:616 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:622 msgid "" "Describe the specific elements of the software" "/technology that will be made available at the completion of the study. If the" " underlying code will also be shared, please specify. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:612 -======= -#: ../../tmp/translation/database_strings.rb:617 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:623 msgid "" "Describe any restrictions that may prohibit th" "e release of software/technology. Examples may include commercial restrictions" @@ -14208,11 +11157,7 @@ msgid "" " academic institution." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:613 -======= -#: ../../tmp/translation/database_strings.rb:618 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:624 msgid "" "Provide the location of where you intend to sh" "are your software/technology (e.g., app store, lab website, an industry partne" @@ -14222,11 +11167,7 @@ msgid "" "400;\"> to make your code accessible and retrievable." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:614 -======= -#: ../../tmp/translation/database_strings.rb:619 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:625 msgid "" "Please describe the types of data you will gat" "her across all phases of your study. Examples may include, but are not limited" @@ -14234,11 +11175,7 @@ msgid "" " user testing, usage data, audio/video recordings, etc." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:615 -======= -#: ../../tmp/translation/database_strings.rb:620 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:626 msgid "" "If you will be combining original research dat" "a with existing licensed, restricted, or previously used research data, descri" @@ -14247,11 +11184,7 @@ msgid "" "d. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:616 -======= -#: ../../tmp/translation/database_strings.rb:621 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:627 msgid "" "Provide a description of any data collection i" "nstruments or scales that will be used to collect data. These may include but " @@ -14260,32 +11193,20 @@ msgid "" "n(s) in this section." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:617 -======= -#: ../../tmp/translation/database_strings.rb:622 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:628 msgid "" "Indicate how frequently you will be collecting" " data from participants. For example, if you are conducting a series of user t" "ests with the same participants each time, indicate the frequency here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:618 -======= -#: ../../tmp/translation/database_strings.rb:623 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:629 msgid "" "Indicate the broader geographic location and s" "etting where data will be gathered." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:619 -======= -#: ../../tmp/translation/database_strings.rb:624 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:630 msgid "" "Utilize this section to include a descriptive " "overview of the procedures involved in the data collection process. This may i" @@ -14294,11 +11215,7 @@ msgid "" "e testing, etc.). " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:620 -======= -#: ../../tmp/translation/database_strings.rb:625 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:631 msgid "" "Include the name and version of any software p" "rograms used to collect data in the study. If homegrown software/technology is" @@ -14306,21 +11223,13 @@ msgid "" "t program." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:621 -======= -#: ../../tmp/translation/database_strings.rb:626 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:632 msgid "" "List any of the output files formats from the " "software programs listed above." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:622 -======= -#: ../../tmp/translation/database_strings.rb:627 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:633 msgid "" "Provide a description of how you will track ch" "anges made to any data analysis files. An example of this might include your a" @@ -14328,33 +11237,21 @@ msgid "" "during the analysis process." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:623 -======= -#: ../../tmp/translation/database_strings.rb:628 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:634 msgid "" "Describe the software you will use to perform " "any data analysis tasks associated with your study, along with the version of " "that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:624 -======= -#: ../../tmp/translation/database_strings.rb:629 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:635 msgid "" "List the file formats associated with each ana" "lysis software program that will be generated in your study (e.g., .txt, .csv," " .xsls, .docx)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:625 -======= -#: ../../tmp/translation/database_strings.rb:630 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:636 msgid "" "Include any code or coding schemes used to per" "form data analysis. Examples in this section could include codebooks for analy" @@ -14363,22 +11260,14 @@ msgid "" "cal frameworks used for evaluation." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:626 -======= -#: ../../tmp/translation/database_strings.rb:631 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:637 msgid "" "Use this section to describe any quality revie" "w schedules, double coding measures, inter-rater reliability, quality review s" "chedules, etc. that you intend to implement in your study." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:627 -======= -#: ../../tmp/translation/database_strings.rb:632 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:638 msgid "" "Consider what information might be useful to a" "ccompany your data if you were to share it with someone else (e.g., the study " @@ -14386,31 +11275,19 @@ msgid "" "instruments, or software dependencies, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:628 -======= -#: ../../tmp/translation/database_strings.rb:633 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:639 msgid "" "Describe the target population for which the s" "oftware/technology is being developed (i.e., end users)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:629 -======= -#: ../../tmp/translation/database_strings.rb:634 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:640 msgid "" "Describe the processes used to sample the popu" "lation (e.g., convenience, snowball, purposeful, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:630 -======= -#: ../../tmp/translation/database_strings.rb:635 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:641 msgid "" "For any data gathered, list the variables bein" "g studied. For each variable, include the variable name, explanatory informati" @@ -14422,21 +11299,13 @@ msgid "" " data dictionary." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:631 -======= -#: ../../tmp/translation/database_strings.rb:636 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:642 msgid "" "Create a glossary of all acronyms or abbreviat" "ions used within your study. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:632 -======= -#: ../../tmp/translation/database_strings.rb:637 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:643 msgid "" "Provide an estimate of how much data you will " "collect for all data in the form of terabytes, gigabytes, or megabytes as need" @@ -14444,11 +11313,7 @@ msgid "" "equired for video files, 500 MB for survey data). " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:633 -======= -#: ../../tmp/translation/database_strings.rb:638 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:644 msgid "" "Indicate where and how data will be stored dur" "ing data collection. Examples may include storing data in secure, password pro" @@ -14457,22 +11322,14 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:634 -======= -#: ../../tmp/translation/database_strings.rb:639 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:645 msgid "" "If different from above, indicate where data i" "s stored during the data analysis process. If data is being sent to external l" "ocations for analysis by a statistician, describe that process here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:635 -======= -#: ../../tmp/translation/database_strings.rb:640 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:646 msgid "" "Indicate the security measures used to protect" " participant identifying data. Examples may include storing informed consent f" @@ -14481,11 +11338,7 @@ msgid "" "mation. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:636 -======= -#: ../../tmp/translation/database_strings.rb:641 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:647 msgid "" "List any specific file naming conventions used" " throughout the study. Provide examples of this file naming convention in the " @@ -14495,11 +11348,7 @@ msgid "" "/span>." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:637 -======= -#: ../../tmp/translation/database_strings.rb:642 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:648 msgid "" "Describe how your study data will be regularly" " saved, backed up, and updated. If using institutional servers, consult with y" @@ -14507,11 +11356,7 @@ msgid "" "d up." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:638 -======= -#: ../../tmp/translation/database_strings.rb:643 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:649 msgid "" "Outline the information provided in your Resea" "rch Ethics Board protocol, and describe how informed consent is collected, and" @@ -14520,11 +11365,7 @@ msgid "" "ontact, etc. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:639 -======= -#: ../../tmp/translation/database_strings.rb:644 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:650 msgid "" "Describe any ethical concerns that may be asso" "ciated with the data in this study. For example, if vulnerable and/or Indigeno" @@ -14535,11 +11376,7 @@ msgid "" "c.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:640 -======= -#: ../../tmp/translation/database_strings.rb:645 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:651 msgid "" "Provide details describing the legal restricti" "ons that apply to your data. These restrictions may include, but are not limit" @@ -14547,65 +11384,41 @@ msgid "" ", institution, collaboration or commercial agreement. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:641 -======= -#: ../../tmp/translation/database_strings.rb:646 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:652 msgid "" "Describe any financial resources that may be r" "equired to properly manage your research data. This may include personnel, sto" "rage requirements, software, hardware, etc." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:642 -======= -#: ../../tmp/translation/database_strings.rb:647 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:653 msgid "" "Provide the name(s), affiliation, and contact " "information for the main study contact." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:643 -======= -#: ../../tmp/translation/database_strings.rb:648 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:654 msgid "" "Provide the name(s), affiliation, contact info" "rmation, and responsibilities of each study team member in relation to working" " with the study data. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:644 -======= -#: ../../tmp/translation/database_strings.rb:649 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:655 msgid "" "Describe who the intended users are of the dat" "a. Consider that those who would benefit most from your data may differ from t" "hose who would benefit from the software/technology developed. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:645 -======= -#: ../../tmp/translation/database_strings.rb:650 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:656 msgid "" "Outline the specific data that can be shared a" "t the completion of the study. Be specific about the data (e.g., from surveys," " user testing, app usage, interviews, etc.) and what can be shared." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:646 -======= -#: ../../tmp/translation/database_strings.rb:651 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:657 msgid "" "Describe any restrictions that may prohibit th" "e sharing of data. Examples may include holding data that has confidentiality," @@ -14613,11 +11426,7 @@ msgid "" "ements, or are subject to a data use agreement." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:647 -======= -#: ../../tmp/translation/database_strings.rb:652 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:658 msgid "" "Provide the location where you intend to share" " your data. This may be an institutional repository, " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:648 -======= -#: ../../tmp/translation/database_strings.rb:653 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:659 msgid "" "Describe where your data will be stored after " "project completion (e.g., in an institutional repository, an " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:649 -======= -#: ../../tmp/translation/database_strings.rb:654 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:660 msgid "" "Name the person(s) responsible for managing th" "e data at the completion of the project. List their affiliation and contact in" "formation." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:650 -======= -#: ../../tmp/translation/database_strings.rb:655 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:661 msgid "" "Many proprietary file formats such as those ge" "nerated from Microsoft software or statistical analysis tools can make the dat" @@ -14665,11 +11462,7 @@ msgid "" "Describe the process for migrating your data formats here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:651 -======= -#: ../../tmp/translation/database_strings.rb:656 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:662 msgid "" "Describe what steps will be taken to destroy s" "tudy data. These steps may include but are not limited to shredding physical d" @@ -14677,11 +11470,7 @@ msgid "" "ogy department, or personal measures to eliminate data files." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:652 -======= -#: ../../tmp/translation/database_strings.rb:657 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:663 msgid "" "Drawings, songs, poems, films, short stories, " "performances, interactive installations, and social experiences facilitated by" @@ -14695,11 +11484,7 @@ msgid "" "puter code." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:653 -======= -#: ../../tmp/translation/database_strings.rb:658 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:664 msgid "" "Artwork is a prominent type of data in ABR tha" "t is commonly used as content for analysis and interpretation. Artworks that e" @@ -14717,11 +11502,7 @@ msgid "" "00;\">Jisc." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:654 -======= -#: ../../tmp/translation/database_strings.rb:659 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:665 msgid "" "Researchers and artists can publish their data" " for others to reuse. Research data repositories and government agencies are s" @@ -14737,11 +11518,7 @@ msgid "" "k.ca." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:655 -======= -#: ../../tmp/translation/database_strings.rb:660 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:666 msgid "" "Non-digital data should be digitized when poss" "ible. Digitization is needed for many reasons, including returning artwork to " @@ -14753,11 +11530,7 @@ msgid "" "ill make your data more valuable to you and others." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:656 -======= -#: ../../tmp/translation/database_strings.rb:661 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:667 msgid "" "

Open (i.e., non-proprietary) file formats a" "re preferred when possible because they can be used by anyone, which helps ens" @@ -14780,11 +11553,7 @@ msgid "" "t: 400;\">UK Data Service." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:657 -======= -#: ../../tmp/translation/database_strings.rb:662 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:668 msgid "" "Good data organization includes logical folder" " hierarchies, informative and consistent naming conventions, and clear version" @@ -14805,11 +11574,7 @@ msgid "" "le=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:658 -======= -#: ../../tmp/translation/database_strings.rb:663 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:669 msgid "" "A poem written to analyze a transcript could b" "e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " @@ -14817,11 +11582,7 @@ msgid "" "_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:659 -======= -#: ../../tmp/translation/database_strings.rb:664 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:670 msgid "" "Project-level metadata can include basic infor" "mation about your project (e.g., title, funder, principal investigator, etc.)," @@ -14833,11 +11594,7 @@ msgid "" "for documentation, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:660 -======= -#: ../../tmp/translation/database_strings.rb:665 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:671 msgid "" "

Cornell University

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:661 -======= -#: ../../tmp/translation/database_strings.rb:666 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:672 msgid "" "Dublin Core and " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:662 -======= -#: ../../tmp/translation/database_strings.rb:667 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:673 msgid "" "A metadata standard is a set of established ca" "tegories you can use to describe your data. ." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:663 -======= -#: ../../tmp/translation/database_strings.rb:668 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:674 msgid "" "One way to record metadata is to place it in a" " separate text file (i.e., README file) that will accompany your data and to u" @@ -14922,11 +11667,7 @@ msgid "" "n style=\"font-weight: 400;\"> has a data list template you can adapt." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:664 -======= -#: ../../tmp/translation/database_strings.rb:669 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:675 msgid "" "Creating metadata should not be left to the en" "d of your project. A plan that lays out how, when, where, and by whom metadata" @@ -14940,11 +11681,7 @@ msgid "" "on markers)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:665 -======= -#: ../../tmp/translation/database_strings.rb:670 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:676 msgid "" "Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" "tc., and for how long this storage will need to be active. Take into account f" @@ -14952,11 +11689,7 @@ msgid "" "ate and/or collect data over several months or years." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:666 -======= -#: ../../tmp/translation/database_strings.rb:671 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:677 msgid "" "

Digital data can be stored on optical or ma" "gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" @@ -14979,11 +11712,7 @@ msgid "" "k/manage-data/store.aspx\">UK Data Service. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:667 -======= -#: ../../tmp/translation/database_strings.rb:672 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:678 msgid "" "Many universities offer networked file storage" " with automatic backup. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:668 -======= -#: ../../tmp/translation/database_strings.rb:673 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:679 msgid "" "Describe how you will store your non-digital d" "ata and what you will need to do so (e.g., physical space, equipment, special " @@ -15008,11 +11733,7 @@ msgid "" "funder, institution, and research ethics office." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:669 -======= -#: ../../tmp/translation/database_strings.rb:674 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:680 msgid "" "

Research team members, other collaborators," " participants, and independent contractors (e.g., transcriptionists, videograp" @@ -15032,11 +11753,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:670 -======= -#: ../../tmp/translation/database_strings.rb:675 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:681 msgid "" "

Preservation means storing data in ways tha" "t make them accessible and reuseable to you and others long after your project" @@ -15058,11 +11775,7 @@ msgid "" "e you will need." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:671 -======= -#: ../../tmp/translation/database_strings.rb:676 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:682 msgid "" "Deposit in a data repository is one way to pre" "serve your data, but keep in mind that not all repositories have a preservatio" @@ -15078,11 +11791,7 @@ msgid "" "tyle=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:672 -======= -#: ../../tmp/translation/database_strings.rb:677 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:683 msgid "" "

Data repositories labelled as “truste" "d” or “trustworthy” indicate they have met high standards fo" @@ -15105,11 +11814,7 @@ msgid "" "0;\">OpenAIRE." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:673 -======= -#: ../../tmp/translation/database_strings.rb:678 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:684 msgid "" "Open file formats are considered preservation-" "friendly because of their accessibility. Proprietary file formats are not opti" @@ -15123,11 +11828,7 @@ msgid "" "-weight: 400;\"> for a list of preservation-friendly file formats." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:674 -======= -#: ../../tmp/translation/database_strings.rb:679 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:685 msgid "" "Converting to preservation-friendly file forma" "ts, checking for unintended changes to files, confirming metadata is complete," @@ -15135,11 +11836,7 @@ msgid "" "p ensure your data are ready for preservation." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:675 -======= -#: ../../tmp/translation/database_strings.rb:680 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:686 msgid "" "Sometimes non-digital data cannot be digitized" " or practical limitations (e.g., cost) prevent them from being digitized. If y" @@ -15157,11 +11854,7 @@ msgid "" "le=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:676 -======= -#: ../../tmp/translation/database_strings.rb:681 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:687 msgid "" "Certain data may not have long-term value, may" " be too sensitive for preservation, or must be destroyed due to data agreement" @@ -15173,11 +11866,7 @@ msgid "" "\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:677 -======= -#: ../../tmp/translation/database_strings.rb:682 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:688 msgid "" "

Your shared data can be in different forms:" "

\\r\n" @@ -15203,11 +11892,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:678 -======= -#: ../../tmp/translation/database_strings.rb:683 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:689 msgid "" "Sharing means making your data available to pe" "ople outside your project (for more, see " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:679 -======= -#: ../../tmp/translation/database_strings.rb:684 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:690 msgid "" "Describe which forms of data (e.g., raw, proce" "ssed) you will share with restricted access due to confidentiality, privacy, i" @@ -15239,11 +11920,7 @@ msgid "" "rk." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:680 -======= -#: ../../tmp/translation/database_strings.rb:685 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:691 msgid "" "

List the owners of the data in your project" " (i.e., those who hold the intellectual property rights), such as you, collabo" @@ -15255,11 +11932,7 @@ msgid "" " restricted access.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:681 -======= -#: ../../tmp/translation/database_strings.rb:686 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:692 msgid "" "Several types of standard licenses are availab" "le to researchers, such as . " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:682 -======= -#: ../../tmp/translation/database_strings.rb:687 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:693 msgid "" "Include a copy of your end-user license here. " "Licenses set out how others can use your data. Funding agencies and/or data re" @@ -15292,11 +11961,7 @@ msgid "" "t forms, copyright, data sharing agreements, etc.)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:683 -======= -#: ../../tmp/translation/database_strings.rb:688 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:694 msgid "" "Many Canadian postsecondary institutions use D" "ataverse, a popular data repository platform for survey data and qualitative t" @@ -15316,11 +11981,7 @@ msgid "" "ctory of data repositories that includes arts-specific ones." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:684 -======= -#: ../../tmp/translation/database_strings.rb:689 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:695 msgid "" "

Researchers can find data through data repo" "sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" @@ -15341,11 +12002,7 @@ msgid "" "twork.ca.  

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:685 -======= -#: ../../tmp/translation/database_strings.rb:690 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:696 msgid "" "

Research data management is often a shared " "responsibility, which can involve principal investigators, co-investigators, c" @@ -15357,11 +12014,7 @@ msgid "" "commitment, training needed to carry out tasks, and other factors.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:686 -======= -#: ../../tmp/translation/database_strings.rb:691 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:697 msgid "" "Expected and unexpected changes to who manages" " data during your project (e.g., a student graduates, research staff turnover)" @@ -15374,11 +12027,7 @@ msgid "" " can be part of the “living will” for your data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:687 -======= -#: ../../tmp/translation/database_strings.rb:692 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:698 msgid "" "Know what resources you will need for research" " data management during and after your project and their estimated cost as ear" @@ -15393,11 +12042,7 @@ msgid "" "t-weight: 400;\">OpenAIRE." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:688 -======= -#: ../../tmp/translation/database_strings.rb:693 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:699 msgid "" "Research data management policies can be set b" "y funders, postsecondary institutions, legislation, communities of researchers" @@ -15407,11 +12052,7 @@ msgid "" "inks to these policies. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:689 -======= -#: ../../tmp/translation/database_strings.rb:694 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:700 msgid "" "

Compliance with privacy and copyright law i" "s a common issue in ABR and may restrict what data you can create, collect, pr" @@ -15448,11 +12089,7 @@ msgid "" "t office." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:690 -======= -#: ../../tmp/translation/database_strings.rb:695 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:701 msgid "" "Obtaining permissions to create, document, and" " use artwork in ABR can be complex when, for example, non-participants are dep" @@ -15465,11 +12102,7 @@ msgid "" "tions are. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:691 -======= -#: ../../tmp/translation/database_strings.rb:696 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:702 msgid "" "Security measures for sensitive data include p" "assword protection, encryption, and limiting physical access to storage device" @@ -15479,11 +12112,7 @@ msgid "" "urn of artwork from storage." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:692 -======= -#: ../../tmp/translation/database_strings.rb:697 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:703 msgid "" "

Sensitive data is any data that may negativ" "ely impact individuals, organizations, communities, institutions, and business" @@ -15502,11 +12131,7 @@ msgid "" "K Data Service.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:693 -======= -#: ../../tmp/translation/database_strings.rb:698 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:704 msgid "" "Removing direct and indirect identifiers from " "data is a common strategy to manage sensitive data. However, some strategies t" @@ -15521,11 +12146,7 @@ msgid "" "yle=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:694 -======= -#: ../../tmp/translation/database_strings.rb:699 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:705 msgid "" "

Sensitive data can still be shared and reus" "ed if strategies are in place to protect against unauthorized disclosure and t" @@ -15540,11 +12161,7 @@ msgid "" " office if you need help identifying problems and strategies.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:695 -======= -#: ../../tmp/translation/database_strings.rb:700 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:706 msgid "" "Examples of research data management policies that may be in place include tho" "se set forth by funders, post secondary institutions, legislation, and communi" @@ -15565,11 +12182,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:696 -======= -#: ../../tmp/translation/database_strings.rb:701 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:707 msgid "" "Having a clear understanding of all the data that you will collect or use with" "in your project will help with planning for their management.

Incl" @@ -15582,11 +12195,7 @@ msgid "" "and interviews." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:697 -======= -#: ../../tmp/translation/database_strings.rb:702 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:708 msgid "" "

There are many potential sources of existin" "g data, including research data repositories, research registries, and governm" @@ -15620,11 +12229,7 @@ msgid "" "e useful to your research.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:698 -======= -#: ../../tmp/translation/database_strings.rb:703 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:709 msgid "" "

Include a description of any methods that y" "ou will use to collect data, including electronic platforms or paper based met" @@ -15669,11 +12274,7 @@ msgid "" "-weight: 400;\"> (interviews)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:699 -======= -#: ../../tmp/translation/database_strings.rb:704 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:710 msgid "" "

To support transcribing activities within y" "our research project, it is recommended that you implement a transcribing prot" @@ -15689,11 +12290,7 @@ msgid "" "span>

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:700 -======= -#: ../../tmp/translation/database_strings.rb:705 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:711 msgid "" "

Transferring of data is a critical stage of" " the data collection process, and especially so when managing sensitive inform" @@ -15724,11 +12321,7 @@ msgid "" "ecure data transferring methods available to you.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:701 -======= -#: ../../tmp/translation/database_strings.rb:706 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:712 msgid "" "

Ensuring that your data files exist in non-" "proprietary formats helps to ensure that they are able to be easily accessed a" @@ -15781,11 +12374,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:702 -======= -#: ../../tmp/translation/database_strings.rb:707 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:713 msgid "" "

Include a description of the survey codeboo" "k(s) (data dictionary), as well as how it will be developed and generated. You" @@ -15823,22 +12412,14 @@ msgid "" "www.dcc.ac.uk/guidance/standards/metadata" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:703 -======= -#: ../../tmp/translation/database_strings.rb:708 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:714 msgid "" "For guidance on file naming conventions please" " see the University of Edinburgh." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:704 -======= -#: ../../tmp/translation/database_strings.rb:709 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:715 msgid "" "

High quality documentation and metadata hel" "p to ensure accuracy, consistency, and completeness of your data. It is consid" @@ -15855,11 +12436,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:705 -======= -#: ../../tmp/translation/database_strings.rb:710 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:716 msgid "" "

Metadata are descriptions of the contents a" "nd context of data files. Using a metadata standard (a set of required fields " @@ -15883,11 +12460,7 @@ msgid "" ">dmp-support@carl-abrc.ca. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:706 -======= -#: ../../tmp/translation/database_strings.rb:711 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:717 msgid "" "

Data storage is a critical component of man" "aging your research data, and secure methods should always be used, especially" @@ -15910,11 +12483,7 @@ msgid "" "h a modest amount of storage and cloud resources at no cost." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:707 -======= -#: ../../tmp/translation/database_strings.rb:712 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:718 msgid "" "

It is important to determine at the early s" "tages of your research project how members of the research team will appropria" @@ -15934,11 +12503,7 @@ msgid "" "=\"font-weight: 400;\">. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:708 -======= -#: ../../tmp/translation/database_strings.rb:713 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:719 msgid "" "

Think about all of the data that will be ge" "nerated, including their various versions, and estimate how much space (e.g., " @@ -15960,11 +12525,7 @@ msgid "" " " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:709 -======= -#: ../../tmp/translation/database_strings.rb:714 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:720 msgid "" "

Proprietary data formats are not optimal fo" "r long-term preservation of data as they typically require specialized license" @@ -16001,11 +12562,7 @@ msgid "" "on-readiness.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:710 -======= -#: ../../tmp/translation/database_strings.rb:715 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:721 msgid "" "

A research data repository is a technology-" "based platform that allows for research data to be:

\\r\n" @@ -16051,11 +12608,7 @@ msgid "" "ies
." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:711 -======= -#: ../../tmp/translation/database_strings.rb:716 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:722 msgid "" "

Consider which data you are planning to sha" "re or that you may need to share in order to meet funding or institutional req" @@ -16091,11 +12644,7 @@ msgid "" "ur approved institutional ethics application.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:712 -======= -#: ../../tmp/translation/database_strings.rb:717 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:723 msgid "" "

It may be necessary or desirable to restric" "t access to your data for a limited time or to a limited number of people, for" @@ -16132,11 +12681,7 @@ msgid "" " Use document to accompany your data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:713 -======= -#: ../../tmp/translation/database_strings.rb:718 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:724 msgid "" "

Licenses determine what uses can be made of" " your data. Funding agencies and/or data repositories may have end-user licens" @@ -16161,11 +12706,7 @@ msgid "" "ight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:714 -======= -#: ../../tmp/translation/database_strings.rb:719 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:725 msgid "" "

Research data management is a shared respon" "sibility that can involve many research team members including the Principal I" @@ -16183,11 +12724,7 @@ msgid "" " your project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:715 -======= -#: ../../tmp/translation/database_strings.rb:720 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:726 msgid "" "It is important to think ahead and be prepared" " for potential PI and/or research team members changes should they occur. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:716 -======= -#: ../../tmp/translation/database_strings.rb:721 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:727 msgid "" "

Estimate as early as possible the resources" " and costs associated with the management of your project’s data. This e" @@ -16222,11 +12755,7 @@ msgid "" "servation.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:717 -======= -#: ../../tmp/translation/database_strings.rb:722 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:728 msgid "" "

Obtaining the appropriate consent from rese" "arch participants is an important step in assuring Research Ethics Boards that" @@ -16250,11 +12779,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:718 -======= -#: ../../tmp/translation/database_strings.rb:723 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:729 msgid "" "

Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" @@ -16267,11 +12792,7 @@ msgid "" "/span>

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:719 -======= -#: ../../tmp/translation/database_strings.rb:724 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:730 msgid "" "Examples of data types may include text, numer" "ic (ASCII, binary), images, audio, video, tabular data, spatial data, experime" @@ -16280,11 +12801,7 @@ msgid "" "e course of the project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:720 -======= -#: ../../tmp/translation/database_strings.rb:725 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:731 msgid "" "Proprietary file formats that require speciali" "zed software or hardware are not recommended, but may be necessary for certain" @@ -16298,11 +12815,7 @@ msgid "" "pan>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:721 -======= -#: ../../tmp/translation/database_strings.rb:726 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:732 msgid "" "

It is important to keep track of different " "copies and versions of files, files held in different formats or locations, an" @@ -16321,11 +12834,7 @@ msgid "" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:722 -======= -#: ../../tmp/translation/database_strings.rb:727 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:733 msgid "" "

Some types of documentation typically provi" "ded for research data and software include: 

\\r\n" @@ -16338,11 +12847,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:723 -======= -#: ../../tmp/translation/database_strings.rb:728 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:734 msgid "" "Typically, good documentation includes high-le" "vel information about the study as well as data-level descriptions of the cont" @@ -16356,11 +12861,7 @@ msgid "" "tion of relevant software. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:724 -======= -#: ../../tmp/translation/database_strings.rb:729 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:735 msgid "" "

There are many general and domain-specific " "metadata standards that can be used to manage research data. These machine-rea" @@ -16375,11 +12876,7 @@ msgid "" " will facilitate metadata interoperability in your field.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:725 -======= -#: ../../tmp/translation/database_strings.rb:730 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:736 msgid "" "

There are a wide variety of metadata standa" "rds available to choose from, and you can learn more about these options at

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:726 -======= -#: ../../tmp/translation/database_strings.rb:731 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:737 msgid "" "Consider how you will capture information duri" "ng the project and where it will be recorded to ensure the accuracy, consisten" @@ -16411,11 +12904,7 @@ msgid "" "ering, creating or maintaining data documentation as a key element." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:727 -======= -#: ../../tmp/translation/database_strings.rb:732 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:738 msgid "" "ARC resources usually contain both computation" "al resources and data storage resources. Please describe only those ARC resour" @@ -16423,11 +12912,7 @@ msgid "" "ces and any external resources that may be made available." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:728 -======= -#: ../../tmp/translation/database_strings.rb:733 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:739 msgid "" "

You may wish to provide the following infor" "mation:

\\r\n" @@ -16457,11 +12942,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:729 -======= -#: ../../tmp/translation/database_strings.rb:734 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:740 msgid "" "It is important to document the technical details of all the computational and data s" @@ -16470,11 +12951,7 @@ msgid "" "lysis proposed in this research project. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:730 -======= -#: ../../tmp/translation/database_strings.rb:735 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:741 msgid "" "

Examples of data analysis frameworks includ" "e:

\\r\n" @@ -16486,11 +12963,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:731 -======= -#: ../../tmp/translation/database_strings.rb:736 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:742 msgid "" "

Examples of software tools include:<" "/p>\\r\n" @@ -16503,11 +12976,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:732 -======= -#: ../../tmp/translation/database_strings.rb:737 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:743 msgid "" "

(Re)using code/software requires, at minimu" "m, information about both the environment and expected input/output. Log all p" @@ -16532,11 +13001,7 @@ msgid "" "an style=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:733 -======= -#: ../../tmp/translation/database_strings.rb:738 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:744 msgid "" "

Storage-space estimates should take into ac" "count requirements for file versioning, backups, and growth over time, particu" @@ -16545,11 +13010,7 @@ msgid "" " your data after the research project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:734 -======= -#: ../../tmp/translation/database_strings.rb:739 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:745 msgid "" "

Data may be stored using optical or magneti" "c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" @@ -16568,11 +13029,7 @@ msgid "" "UK Data Service." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:735 -======= -#: ../../tmp/translation/database_strings.rb:740 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:746 msgid "" "

Technical detail example:

\\r\n" "
    \\r\n" @@ -16591,11 +13048,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:736 -======= -#: ../../tmp/translation/database_strings.rb:741 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:747 msgid "" "

An ideal solution is one that facilitates c" "ooperation and ensures data security, yet is able to be adopted by users with " @@ -16608,11 +13061,7 @@ msgid "" "anada.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:737 -======= -#: ../../tmp/translation/database_strings.rb:742 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:748 msgid "" "

This estimate should incorporate data manag" "ement costs incurred during the project as well as those required for ongoing " @@ -16630,11 +13079,7 @@ msgid "" "-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:738 -======= -#: ../../tmp/translation/database_strings.rb:743 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:749 msgid "" "Your data management plan has identified impor" "tant data activities in your project. Identify who will be responsible -- indi" @@ -16644,11 +13089,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:739 -======= -#: ../../tmp/translation/database_strings.rb:744 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:750 msgid "" "Container solutions, such as docker" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:740 -======= -#: ../../tmp/translation/database_strings.rb:745 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:751 msgid "" "

A computationally reproducible research pac" "kage will include:

\\r\n" @@ -16699,11 +13136,7 @@ msgid "" "mes, a minimum working example will be helpful.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:741 -======= -#: ../../tmp/translation/database_strings.rb:746 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:752 msgid "" "Consider where, how, and to whom sensitive data with acknowledged long-term va" "lue should be made available, and how long it should be archived. Decisions sh" @@ -16716,11 +13149,7 @@ msgid "" "ents, or concerns about Intellectual Property Rights, among others." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:742 -======= -#: ../../tmp/translation/database_strings.rb:747 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:753 msgid "" "

Obtaining the appropriate consent from rese" "arch participants is an important step in assuring your Research Ethics Board " @@ -16745,11 +13174,7 @@ msgid "" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:743 -======= -#: ../../tmp/translation/database_strings.rb:748 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:754 msgid "" "There are several types of standard licenses a" "vailable to researchers, such as the . " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:744 -======= -#: ../../tmp/translation/database_strings.rb:749 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:755 msgid "" "Licenses stipulate how your data may be used. " "Funding agencies and/or data repositories may have end-user license requiremen" @@ -16780,11 +13201,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:745 -======= -#: ../../tmp/translation/database_strings.rb:750 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:756 msgid "" "

By providing a licence for your software, y" "ou grant others certain freedoms, and define what they are allowed to do with " @@ -16802,11 +13219,7 @@ msgid "" "fore choosing a license.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:746 -======= -#: ../../tmp/translation/database_strings.rb:751 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:757 msgid "" "

Before you copy, (re-)use, modify, build on" ", or (re-)distribute others’ data and code, or engage in the production " @@ -16837,11 +13250,7 @@ msgid "" " subject consent, permissions, restrictions, etc.).

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:747 -======= -#: ../../tmp/translation/database_strings.rb:752 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:758 msgid "" "

One of the best ways to refer other researc" "hers to your deposited datasets is to cite them the same way you cite other ty" @@ -16864,11 +13273,7 @@ msgid "" "-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:748 -======= -#: ../../tmp/translation/database_strings.rb:753 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:759 msgid "" "

Consider which data are necessary to " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:749 -======= -#: ../../tmp/translation/database_strings.rb:754 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:760 msgid "" "

Data retention should be considered early i" "n the research lifecycle. Data-retention decisions can be driven by external p" @@ -16916,11 +13317,7 @@ msgid "" "port@portagenetwork.ca. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:750 -======= -#: ../../tmp/translation/database_strings.rb:755 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:761 msgid "" "The general-purpose repositories for data shar" "ing in Canada are the . " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:751 -======= -#: ../../tmp/translation/database_strings.rb:756 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:762 msgid "" "

Making the software (or source code) you de" "veloped accessible is essential for others to understand your work. It allows " @@ -16960,11 +13353,7 @@ msgid "" "on itself).

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:752 -======= -#: ../../tmp/translation/database_strings.rb:757 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:763 msgid "" "After the software has been delivered, used an" "d recognized by a sufficiently large group of users, will you allocate both hu" @@ -16973,11 +13362,7 @@ msgid "" "training?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:753 -======= -#: ../../tmp/translation/database_strings.rb:758 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:764 msgid "" "A >>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:765 msgid "" "Naming conventions should be developed. Provide the description of your naming" " and versioning procedure in this plan or provide reference to documents conta" @@ -16999,12 +13380,8 @@ msgid "" "www.ukdataservice.ac.uk/manage-data/format/organising.aspx\">UK Data Service." msgstr "" - -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:755 -======= -#: ../../tmp/translation/database_strings.rb:760 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f + +#: ../../tmp/translation/database_strings.rb:766 msgid "" "

Elements to consider in contextualizing res" "earch data: methodologies, definitions of variables or analysis categories, sp" @@ -17017,11 +13394,7 @@ msgid "" "th the principal investigator.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:756 -======= -#: ../../tmp/translation/database_strings.rb:761 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:767 msgid "" "Consider the total volume of storage space exp" "ected for each media containing these files. If applicable, include hardware c" @@ -17030,11 +13403,7 @@ msgid "" "e=\"font-weight: 400;\"> section as well." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:757 -======= -#: ../../tmp/translation/database_strings.rb:762 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:768 msgid "" "

For long-term preservation, you may wish to" " consider CoreTrustSeal certified repositories found in this .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:758 -======= -#: ../../tmp/translation/database_strings.rb:763 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:769 msgid "" "

Preparing research data for eventual preser" "vation involves different tasks that may have costs that are budgeted for pref" @@ -17092,11 +13457,7 @@ msgid "" " style=\"font-weight: 400;\">.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:759 -======= -#: ../../tmp/translation/database_strings.rb:764 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:770 msgid "" "

If applicable, retrieve written consent from an institution's ethics approv" "al process. If the research involves human participants, verify that the conte" @@ -17110,11 +13471,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:760 -======= -#: ../../tmp/translation/database_strings.rb:765 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:771 msgid "" "

If applicable, pay close attention to the a" "ppropriateness of the content in the Sharing and Reuse section with t" @@ -17133,11 +13490,7 @@ msgid "" "ants?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:761 -======= -#: ../../tmp/translation/database_strings.rb:766 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:772 msgid "" "

Describe the allocation of copyrights between members of the research team " "and external copyright holders (include libraries, archives and museums). Veri" @@ -17157,11 +13510,7 @@ msgid "" "00;\">resource person.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:762 -======= -#: ../../tmp/translation/database_strings.rb:767 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:773 msgid "" "Exemple : Signalement dans un" " dépôt de données de reconnu, attribution d’un ident" @@ -17173,11 +13522,7 @@ msgid "" " réseaux sociaux." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:763 -======= -#: ../../tmp/translation/database_strings.rb:768 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:774 msgid "" "

Pour optimiser la diffusion du matér" "iel de recherche, suivre le plus possible les principes FAIR. L’<" @@ -17205,11 +13550,7 @@ msgid "" "t-weight: 400;\">support@portagenetwork.ca.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:764 -======= -#: ../../tmp/translation/database_strings.rb:769 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:775 msgid "" "

If the DMP is at the funding application st" "age, focus on cost-incurring activities in order to budget as accurately as po" @@ -17224,11 +13565,7 @@ msgid "" "research data for the final repository.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:765 -======= -#: ../../tmp/translation/database_strings.rb:770 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:776 msgid "" "Taking into account all the aspects in the pre" "vious sections, estimate the overall cost of implementing the data management " @@ -17237,11 +13574,7 @@ msgid "" " by funding agencies." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:766 -======= -#: ../../tmp/translation/database_strings.rb:771 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:777 msgid "" "A " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:767 -======= -#: ../../tmp/translation/database_strings.rb:772 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:778 msgid "" "

Naming conventions should be developed. Pro" "vide the description of your naming and versioning procedure in this plan or p" @@ -17267,11 +13596,7 @@ msgid "" ".

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:768 -======= -#: ../../tmp/translation/database_strings.rb:773 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:779 msgid "" "e.g. fi" "eld notebook, information log, committee implementation, tools such as " @@ -17282,11 +13607,7 @@ msgid "" "s.
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:769 -======= -#: ../../tmp/translation/database_strings.rb:774 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:780 msgid "" "You may want to systematically include a documentation section in project prog" "ress reports or link quality assurance activities to the documentation. It is " @@ -17294,11 +13615,7 @@ msgid "" "nated individuals." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:770 -======= -#: ../../tmp/translation/database_strings.rb:775 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:781 msgid "" "

A metadata schema is very useful to systematize the description of rese" @@ -17322,11 +13639,7 @@ msgid "" ".

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:771 -======= -#: ../../tmp/translation/database_strings.rb:776 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:782 msgid "" "

La préparation du matériel de" " recherche pour son éventuelle conservation implique une variét&" @@ -17353,11 +13666,7 @@ msgid "" "400;\">.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:772 -======= -#: ../../tmp/translation/database_strings.rb:777 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:783 msgid "" "

If applicable, retrieve written consent fro" "m an institution's ethics approval process. If the research involves human par" @@ -17370,11 +13679,7 @@ msgid "" "span style=\"font-weight: 400;\">.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:773 -======= -#: ../../tmp/translation/database_strings.rb:778 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:784 msgid "" "

If applicable, pay close attention to the a" "ppropriateness of the content in the Sharing and Reuse section with t" @@ -17393,11 +13698,7 @@ msgid "" "ants?

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:774 -======= -#: ../../tmp/translation/database_strings.rb:779 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:785 msgid "" "

Describe the allocation of copyrights betwe" "en members of the research team and external copyright holders (include librar" @@ -17419,11 +13720,7 @@ msgid "" "p>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:775 -======= -#: ../../tmp/translation/database_strings.rb:780 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:786 msgid "" "Example: Reporting in a recognized data repository, attributi" "on of a perennial identifier such as DOI (see the ), reporting in mailing lists and social networks." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:776 -======= -#: ../../tmp/translation/database_strings.rb:781 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:787 msgid "" "

To optimize the dissemination of research material, follow the FAIR princip" "les as much as possible. The .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:777 -======= -#: ../../tmp/translation/database_strings.rb:782 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:788 msgid "" "

Activities that should be documented: draft" "ing and updating the DMP; drafting document management procedures (naming rule" @@ -17472,11 +13761,7 @@ msgid "" "research data for the final repository.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:778 -======= -#: ../../tmp/translation/database_strings.rb:783 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:789 msgid "" "Describe the process to be followed, the actio" "ns to be taken, and the avenues to be considered to ensure ongoing data manage" @@ -17486,22 +13771,14 @@ msgid "" "his DMP leaves." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:779 -======= -#: ../../tmp/translation/database_strings.rb:784 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:790 msgid "" "The data source(s) for this project is/are the" " <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" "urrent version(s) is/are: <<Record number>>." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:780 -======= -#: ../../tmp/translation/database_strings.rb:785 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:791 msgid "" "The record number is available on Statistics C" "anada's website which can be accessed directly, or through our website:
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:781 -======= -#: ../../tmp/translation/database_strings.rb:786 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:792 msgid "" "External or Supplemental data are the data use" "d for your research project that are not provided to you by Statistics Canada " "through the Research Data Centre program." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:782 -======= -#: ../../tmp/translation/database_strings.rb:787 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:793 msgid "" "Resources are available on the CRDCN website t" "o help. A recommendation from CRDCN on how to document your research contribut" @@ -17537,11 +13806,7 @@ msgid "" "namicsinstitute.github.io/replication-tutorial-2019/#/" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:783 -======= -#: ../../tmp/translation/database_strings.rb:788 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:794 msgid "" "Syntax: Any code used by the researcher to tra" "nsform the raw data into the research results. This most commonly includes, bu" @@ -17549,11 +13814,7 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:784 -======= -#: ../../tmp/translation/database_strings.rb:789 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:795 msgid "" "Because of the structure of the agreements und" "er which supplemental data are brought into the RDC we highly recommend a para" @@ -17562,22 +13823,14 @@ msgid "" " in the course of conducting the research." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:785 -======= -#: ../../tmp/translation/database_strings.rb:790 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:796 msgid "" "

Consider also what file-format you will use" ". Will this file format be useable in the future? Is it proprietary?" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:786 -======= -#: ../../tmp/translation/database_strings.rb:791 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:797 msgid "" "A tool provided by OpenAIRE can help researche" "rs estimate the cost of research data management: ." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:787 -======= -#: ../../tmp/translation/database_strings.rb:792 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:798 msgid "" "

Consider where, how, and to whom sensitive " "data with acknowledged long-term value should be made available, and how long " @@ -17610,11 +13859,7 @@ msgid "" "/span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:788 -======= -#: ../../tmp/translation/database_strings.rb:793 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:799 msgid "" "Obtaining the appropriate consent from researc" "h participants is an important step in assuring Research Ethics Boards that th" @@ -17628,11 +13873,7 @@ msgid "" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:789 -======= -#: ../../tmp/translation/database_strings.rb:794 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:800 msgid "" "

Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" @@ -17645,11 +13886,7 @@ msgid "" "/span>

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:790 -======= -#: ../../tmp/translation/database_strings.rb:795 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:801 msgid "" "Describe the purpose or goal of this project. " "Is the data collection for a specific study or part of a long-term collection " @@ -17658,11 +13895,7 @@ msgid "" "ous work." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:791 -======= -#: ../../tmp/translation/database_strings.rb:796 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:802 msgid "" "Types of data you may create or capture could " "include: geospatial layers (shapefiles; may include observations, models, remo" @@ -17671,11 +13904,7 @@ msgid "" "; photographs; video." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:792 -======= -#: ../../tmp/translation/database_strings.rb:797 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:803 msgid "" "

Please also describe the tools and methods " "that you will use to collect or generate the data. Outline the procedures that" @@ -17684,11 +13913,7 @@ msgid "" "iques you will use to collect or generate your data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:793 -======= -#: ../../tmp/translation/database_strings.rb:798 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:804 msgid "" "

Try to use pre-existing collection standard" "s, such as the .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:794 -======= -#: ../../tmp/translation/database_strings.rb:799 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:805 msgid "" "Include full references or links to the data w" "hen possible. Identify any license or use restrictions and ensure that you und" @@ -17719,11 +13940,7 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:795 -======= -#: ../../tmp/translation/database_strings.rb:800 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:806 msgid "" "

Sensitive data is data that carries some ri" "sk with its collection. Examples of sensitive data include:

\\r\n" @@ -17751,11 +13968,7 @@ msgid "" "style=\"font-weight: 400;\"> guidance.
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:796 -======= -#: ../../tmp/translation/database_strings.rb:801 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:807 msgid "" "

Methods used to share data will be dependen" "t on the type, size, complexity and degree of sensitivity of data. Outline any" @@ -17792,11 +14005,7 @@ msgid "" "span>. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:797 -======= -#: ../../tmp/translation/database_strings.rb:802 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:808 msgid "" "

Consider where, how, and to whom sensitive " "data with acknowledged long-term value should be made available, and for how l" @@ -17815,11 +14024,7 @@ msgid "" " in the immediate study and in perpetuity.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:798 -======= -#: ../../tmp/translation/database_strings.rb:803 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:809 msgid "" "

Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" @@ -17837,11 +14042,7 @@ msgid "" "ubject consent, permissions, restrictions, etc.).

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:799 -======= -#: ../../tmp/translation/database_strings.rb:804 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:810 msgid "" "Data should be collected and stored using mach" "ine readable, non-proprietary formats, such as .csv, .json, or .tiff. Propriet" @@ -17864,11 +14065,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:800 -======= -#: ../../tmp/translation/database_strings.rb:805 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:811 msgid "" "

File names should:

\\r\n" "
    \\r\n" @@ -17903,11 +14100,7 @@ msgid "" "format/organising.aspx\">UK Data Service.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:801 -======= -#: ../../tmp/translation/database_strings.rb:806 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:812 msgid "" "Typically, good documentation includes informa" "tion about the study, data-level descriptions and any other contextual informa" @@ -17928,11 +14121,7 @@ msgid "" "ws the naming conventions determined by the community." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:802 -======= -#: ../../tmp/translation/database_strings.rb:807 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:813 msgid "" "

    Include descriptions of sampling procedures" " and hardware or software used for data collection, including make, model and " @@ -17956,11 +14145,7 @@ msgid "" "ght: 400;\">.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:803 -======= -#: ../../tmp/translation/database_strings.rb:808 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:814 msgid "" "

    It is important to have a standardized data" " analysis procedure and metadata detailing both the collection and analysis of" @@ -17977,11 +14162,7 @@ msgid "" "400;\">, include links to the appropriate guidance documents.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:804 -======= -#: ../../tmp/translation/database_strings.rb:809 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:815 msgid "" "

    Include documentation about what QA/QC proc" "edures will be performed. For guidance see “1.3 QUALITY ASSURANCE/CONTRO" @@ -17995,11 +14176,7 @@ msgid "" "\"font-weight: 400;\"> from the USGS.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:805 -======= -#: ../../tmp/translation/database_strings.rb:810 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:816 msgid "" "Consider how you will capture this information" " and where it will be recorded, ideally in advance of data collection and anal" @@ -18019,11 +14196,7 @@ msgid "" " " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:806 -======= -#: ../../tmp/translation/database_strings.rb:811 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:817 msgid "" "

    Water Quality metadata standards:

    \\r\n" "
      \\r\n" @@ -18057,11 +14230,7 @@ msgid "" "an style=\"font-weight: 400;\">.

      " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:807 -======= -#: ../../tmp/translation/database_strings.rb:812 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:818 msgid "" "

      Metadata describes a dataset and provides v" "ital information such as owner, description, keywords, etc. that allow data to" @@ -18073,22 +14242,14 @@ msgid "" ". 

      " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:808 -======= -#: ../../tmp/translation/database_strings.rb:813 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:819 msgid "" "Deviation from existing metadata standards should only occur when necessary. I" "f this is the case, please document these deviations so that others can recrea" "te your process." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:809 -======= -#: ../../tmp/translation/database_strings.rb:814 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:820 msgid "" "Once a standard has been chosen, it is importa" "nt that data collectors have the necessary tools to properly create or capture" @@ -18109,11 +14270,7 @@ msgid "" "
    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:810 -======= -#: ../../tmp/translation/database_strings.rb:815 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:821 msgid "" "Storage-space estimates should take into accou" "nt requirements for file versioning, backups and growth over time. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:811 -======= -#: ../../tmp/translation/database_strings.rb:816 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:822 msgid "" "

    The risk of losing data due to human error," " natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" @@ -18151,11 +14304,7 @@ msgid "" "/a>.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:812 -======= -#: ../../tmp/translation/database_strings.rb:817 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:823 msgid "" "An ideal shared data management solution facil" "itates collaboration, ensures data security and is easily adopted by users wit" @@ -18180,11 +14329,7 @@ msgid "" "search project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:813 -======= -#: ../../tmp/translation/database_strings.rb:818 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:824 msgid "" "Describe the roles and responsibilities of all" " parties with respect to the management of the data. Consider the following:" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:814 -======= -#: ../../tmp/translation/database_strings.rb:819 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:825 msgid "" "Indicate a succession strategy for these data " "in the event that one or more people responsible for the data leaves (e.g., a " @@ -18222,11 +14363,7 @@ msgid "" "ivision overseeing this research will assume responsibility." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:815 -======= -#: ../../tmp/translation/database_strings.rb:820 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:826 msgid "" "This estimate should incorporate data manageme" "nt costs incurred during the project and those required for longer-term suppor" @@ -18244,21 +14381,13 @@ msgid "" "pan>’ may be useful. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:816 -======= -#: ../../tmp/translation/database_strings.rb:821 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:827 msgid "" "Use all or parts of existing strategies to mee" "t your requirements." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:817 -======= -#: ../../tmp/translation/database_strings.rb:822 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:828 msgid "" "

    In these instances, it is critical to asses" "s whether data can or should be shared. It is necessary to comply with:" @@ -18283,11 +14412,7 @@ msgid "" "over your work.

    " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:818 -======= -#: ../../tmp/translation/database_strings.rb:823 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:829 msgid "" "

    Think about what data needs to be shared to" " meet institutional or funding requirements, and what data may be restricted b" @@ -18315,11 +14440,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:819 -======= -#: ../../tmp/translation/database_strings.rb:824 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:830 msgid "" "Data repositor" "ies help maintain scientific data over time and support data discovery, reuse," @@ -18365,11 +14486,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:820 -======= -#: ../../tmp/translation/database_strings.rb:825 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:831 msgid "" "Consider using preservation-friendly file form" "ats. For example, non-proprietary formats, such as text (.txt) and comma-separ" @@ -18393,11 +14510,7 @@ msgid "" "an>." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:821 -======= -#: ../../tmp/translation/database_strings.rb:826 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:832 msgid "" "Licenses dictate how your data can be used. Fu" "nding agencies and data repositories may have end-user license requirements in" @@ -18419,11 +14532,7 @@ msgid "" "font-weight: 400;\">UK DCC." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:822 -======= -#: ../../tmp/translation/database_strings.rb:827 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:833 msgid "" "

Possibilities include: data registries, rep" "ositories, indexes, word-of-mouth, publications. How will the data be accessed" @@ -18445,11 +14554,7 @@ msgid "" "tyle=\"font-weight: 400;\">.  " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:823 -======= -#: ../../tmp/translation/database_strings.rb:828 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:834 msgid "" "

The types of data you collect may include: " "literature database records; PDFs of articles; quantitative and qualitative da" @@ -18457,11 +14562,7 @@ msgid "" "l or other methods.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:824 -======= -#: ../../tmp/translation/database_strings.rb:829 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:835 msgid "" "

For a systematic review (or other knowledge" " synthesis types of studies), data includes the literature you find, the data " @@ -18474,11 +14575,7 @@ msgid "" " assessment, synthesis, manuscript preparation.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:825 -======= -#: ../../tmp/translation/database_strings.rb:830 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:836 msgid "" "

Word, RTF, PDF, etc.: proj" "ect documents, notes, drafts, review protocol, line-by-line search strategies," @@ -18498,11 +14595,7 @@ msgid "" ".

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:826 -======= -#: ../../tmp/translation/database_strings.rb:831 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:837 msgid "" "

If you plan to use systematic review softwa" "re or reference management software for screening and data management, indicat" @@ -18520,11 +14613,7 @@ msgid "" "ont-weight: 400;\">.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:827 -======= -#: ../../tmp/translation/database_strings.rb:832 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:838 msgid "" "

Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" @@ -18542,11 +14631,7 @@ msgid "" "span style=\"font-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:828 -======= -#: ../../tmp/translation/database_strings.rb:833 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:839 msgid "" "

It is important to keep track of different " "copies or versions of files, files held in different formats or locations, and" @@ -18569,11 +14654,7 @@ msgid "" "ements as necessary." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:829 -======= -#: ../../tmp/translation/database_strings.rb:834 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:840 msgid "" "Good documentation includes information about " "the study, data-level descriptions, and any other contextual information requi" @@ -18589,11 +14670,7 @@ msgid "" "f Calgary Library Guide." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:830 -======= -#: ../../tmp/translation/database_strings.rb:835 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:841 msgid "" "

Where will the process and procedures for e" "ach stage of your review be kept and shared? Will the team have a shared works" @@ -18610,11 +14687,7 @@ msgid "" "ould include gathering data documentation.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:831 -======= -#: ../../tmp/translation/database_strings.rb:836 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:842 msgid "" "Most systematic reviews will likely not use a " "metadata standard, but if you are looking for a standard to help you code your" @@ -18624,11 +14697,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:832 -======= -#: ../../tmp/translation/database_strings.rb:837 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:843 msgid "" "

Storage-space estimates should take into ac" "count requirements for file versioning, backups, and growth over time. A long-" @@ -18639,11 +14708,7 @@ msgid "" "t common storage solutions, including shared servers.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:833 -======= -#: ../../tmp/translation/database_strings.rb:838 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:844 msgid "" "

Will you want to update and republish your " "review? If so, a permanent storage space is necessary. If your meta-analysis i" @@ -18665,11 +14730,7 @@ msgid "" "UK Data Archive." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:834 -======= -#: ../../tmp/translation/database_strings.rb:839 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:845 msgid "" "

If your meta-analysis includes individual p" "atient-level data, you will require secure storage for that data. As most syst" @@ -18685,11 +14746,7 @@ msgid "" " solution.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:835 -======= -#: ../../tmp/translation/database_strings.rb:840 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:846 msgid "" "

The issue of data retention should be consi" "dered early in the research lifecycle. Data-retention decisions can be driven " @@ -18712,11 +14769,7 @@ msgid "" "400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:836 -======= -#: ../../tmp/translation/database_strings.rb:841 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:847 msgid "" "

Some data formats are optimal for long-term" " preservation of data. For example, non-proprietary file formats, such as text" @@ -18732,11 +14785,7 @@ msgid "" "sharing preservation copies.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:837 -======= -#: ../../tmp/translation/database_strings.rb:842 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:848 msgid "" "

Examples of what should be shared: 

\\r\n" @@ -18757,11 +14806,7 @@ msgid "" "." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:838 -======= -#: ../../tmp/translation/database_strings.rb:843 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:849 msgid "" "

Raw data are directly obta" "ined from the instrument, simulation or survey. 

\\r\n" @@ -18777,11 +14822,7 @@ msgid "" "pan>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:839 -======= -#: ../../tmp/translation/database_strings.rb:844 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:850 msgid "" "There are several types of standard licenses a" "vailable to researchers, such as the UK Data Curation Centre
." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:840 -======= -#: ../../tmp/translation/database_strings.rb:845 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:851 msgid "" "

Licenses determine what uses can be made of" " your data. Funding agencies and/or data repositories may have end-user licens" @@ -18815,22 +14852,14 @@ msgid "" "license with your Data Management Plan.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:841 -======= -#: ../../tmp/translation/database_strings.rb:846 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:852 msgid "" "The datasets analysed during the current study" " are available in the University of Calgary’s PRISM Dataverse repository" ", [https://doi.org/exampledoi]." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:842 -======= -#: ../../tmp/translation/database_strings.rb:847 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:853 msgid "" "Choose a repository that offers persistent ide" "ntifiers such as a DOI. These are persistent links that provide stable long-te" @@ -18841,11 +14870,7 @@ msgid "" "plementary file you provide." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:843 -======= -#: ../../tmp/translation/database_strings.rb:848 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:854 msgid "" "Your data management plan has identified impor" "tant data activities in your project. Identify who will be responsible -- indi" @@ -18857,11 +14882,7 @@ msgid "" "bers in a timely fashion. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:844 -======= -#: ../../tmp/translation/database_strings.rb:849 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:855 msgid "" "

Indicate a succession strategy for these da" "ta in the event that one or more people responsible for the data leaves. Descr" @@ -18878,11 +14899,7 @@ msgid "" "transferred to another account if that person leaves the team." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:845 -======= -#: ../../tmp/translation/database_strings.rb:850 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:856 msgid "" "Consider the cost of systematic review managem" "ent software and citation management software if you are applying for a grant," @@ -18891,11 +14908,7 @@ msgid "" "policies outlined in the data management plan? " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:846 -======= -#: ../../tmp/translation/database_strings.rb:851 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:857 msgid "" "Most reviews do not include sensitive data, bu" "t if you are using individual patient-level data in your meta-analysis there m" @@ -18906,11 +14919,7 @@ msgid "" "cloud storage services such as Dropbox." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:847 -======= -#: ../../tmp/translation/database_strings.rb:852 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:858 msgid "" "Systematic reviews generally do not generate s" "ensitive data, however, it may be useful for different readers (e.g., funders," @@ -18918,11 +14927,7 @@ msgid "" "sensitive data." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:848 -======= -#: ../../tmp/translation/database_strings.rb:853 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:859 msgid "" "

Be aware that PDF articles and even databas" "e records used in your review may be subject to copyright. You can store them " @@ -18934,11 +14939,7 @@ msgid "" "/span>

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:849 -======= -#: ../../tmp/translation/database_strings.rb:854 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:860 msgid "" "Examples of experimental image data may includ" "e: Magnetic Resonance (MR), X-ray, Fluorescent Resonance Energy Transfer (FRET" @@ -18948,11 +14949,7 @@ msgid "" " other digital imaging methods. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:850 -======= -#: ../../tmp/translation/database_strings.rb:855 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:861 msgid "" "

Describe the type(s) of data that will be c" "ollected, such as: text, numeric (ASCII, binary), images, and animations. " @@ -18978,11 +14975,7 @@ msgid "" "ritish Columbia. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:851 -======= -#: ../../tmp/translation/database_strings.rb:856 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:862 msgid "" "

Describe any secondary data you expect to r" "euse. List any available documentation, licenses, or terms of use assigned. If" @@ -18998,11 +14991,7 @@ msgid "" "ed data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:852 -======= -#: ../../tmp/translation/database_strings.rb:857 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:863 msgid "" "

An example of experimental data from a seco" "ndary data source may be structures or parameters obtained from

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:853 -======= -#: ../../tmp/translation/database_strings.rb:858 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:864 msgid "" "

List all devices and/or instruments and des" "cribe the experimental setup (if applicable) that will be utilized to collect " @@ -19048,11 +15033,7 @@ msgid "" "n>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:854 -======= -#: ../../tmp/translation/database_strings.rb:859 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:865 msgid "" "Reproducible computational practices are criti" "cal to continuing progress within the discipline. At a high level, describe th" @@ -19065,11 +15046,7 @@ msgid "" " research and computational outputs." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:855 -======= -#: ../../tmp/translation/database_strings.rb:860 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:866 msgid "" "

Some examples of data procedures include: d" "ata normalization, data fitting, data convolution, or Fourier transformation.&" @@ -19079,11 +15056,7 @@ msgid "" ">

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:856 -======= -#: ../../tmp/translation/database_strings.rb:861 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:867 msgid "" "

Documentation can be provided in the form o" "f a README file with information to ensure the data can be correctly interpret" @@ -19110,11 +15083,7 @@ msgid "" "in a log file depends on the complexity of your project.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:857 -======= -#: ../../tmp/translation/database_strings.rb:862 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:868 msgid "" "

Consider how you will capture this informat" "ion in advance of data production and analysis, to ensure accuracy, consistenc" @@ -19133,11 +15102,7 @@ msgid "" "nt-weight: 400;\">Radiam)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:858 -======= -#: ../../tmp/translation/database_strings.rb:863 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:869 msgid "" "

There are many general and domain-specific " "metadata standards. Dataset documentation should be provided in a standard, ma" @@ -19149,11 +15114,7 @@ msgid "" " Metadata.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:859 -======= -#: ../../tmp/translation/database_strings.rb:864 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:870 msgid "" "Storage-space estimates should consider requir" "ements for file versioning, backups, and growth over time.  If you are co" @@ -19163,11 +15124,7 @@ msgid "" "ch project. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:860 -======= -#: ../../tmp/translation/database_strings.rb:865 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:871 msgid "" "

Data may be stored using optical or magneti" "c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" @@ -19188,11 +15145,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:861 -======= -#: ../../tmp/translation/database_strings.rb:866 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:872 msgid "" "

Consider which data need to be shared to me" "et institutional, funding, or industry requirements. Consider which data will " @@ -19215,11 +15168,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:862 -======= -#: ../../tmp/translation/database_strings.rb:867 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:873 msgid "" "

Possibilities include: data registries, dat" "a repositories, indexes, word-of-mouth, and publications. If possible, choose " @@ -19236,11 +15185,7 @@ msgid "" "ty of the publications.  " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:863 -======= -#: ../../tmp/translation/database_strings.rb:868 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:874 msgid "" "

Some strategies for sharing include:
<" "/span>

\\r\n" @@ -19271,11 +15216,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:864 -======= -#: ../../tmp/translation/database_strings.rb:869 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:875 msgid "" "

In cases where only selected data will be r" "etained, indicate the reason(s) for this decision. These might include legal, " @@ -19309,11 +15250,7 @@ msgid "" "tyle=\"font-weight: 400;\">. 

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:865 -======= -#: ../../tmp/translation/database_strings.rb:870 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:876 msgid "" "Consider the end-user license, and ownership o" "r intellectual property rights of any secondary data or code you will use. Con" @@ -19326,11 +15263,7 @@ msgid "" "rns or constraints here, if applicable." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:866 -======= -#: ../../tmp/translation/database_strings.rb:871 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:877 msgid "" "Identify who will be responsible -- individual" "s or organizations -- for carrying out these parts of your project. Consider i" @@ -19338,11 +15271,7 @@ msgid "" "ment any training needed to prepare staff for data management duties." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:867 -======= -#: ../../tmp/translation/database_strings.rb:872 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:878 msgid "" "Indicate a succession strategy for management " "of these data if one or more people responsible for the data leaves (e.g. a gr" @@ -19352,11 +15281,7 @@ msgid "" "ibility." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:868 -======= -#: ../../tmp/translation/database_strings.rb:873 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:879 msgid "" "This estimate should incorporate data manageme" "nt costs incurred during the project as well as those required for the longer-" @@ -19377,11 +15302,7 @@ msgid "" "project proposal. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:869 -======= -#: ../../tmp/translation/database_strings.rb:874 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:880 msgid "" "

Assign responsibilities: O" "nce completed, your data management plan will outline important data activitie" @@ -19391,11 +15312,7 @@ msgid "" "any training needed to prepare staff for these duties.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:870 -======= -#: ../../tmp/translation/database_strings.rb:875 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:881 msgid "" "

Succession planning: The P" "I is usually in charge of maintaining data accessibility standards for the tea" @@ -19410,11 +15327,7 @@ msgid "" "arch will assume responsibility.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:871 -======= -#: ../../tmp/translation/database_strings.rb:876 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:882 msgid "" "Budgeting: Common purchases a" "re hard drives, cloud storage or software access. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:872 -======= -#: ../../tmp/translation/database_strings.rb:877 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:883 msgid "" "

Data types: Your rese" "arch data may include digital resources, software code, audio files, image fil" @@ -19436,11 +15345,7 @@ msgid "" "tation data.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:873 -======= -#: ../../tmp/translation/database_strings.rb:878 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:884 msgid "" "Proprietary file formats requiring specialized" " software or hardware to use are not recommended, but may be necessary for cer" @@ -19457,11 +15362,7 @@ msgid "" "hive
. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:874 -======= -#: ../../tmp/translation/database_strings.rb:879 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:885 msgid "" "File naming and versioning: It is important to keep track of " "different copies or versions of files, files held in different formats or loca" @@ -19489,11 +15390,7 @@ msgid "" "//github.com/\">GitHub." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:875 -======= -#: ../../tmp/translation/database_strings.rb:880 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:886 msgid "" "

Data documentation: I" "t is strongly encouraged to include a ReadMe file with all datasets (or simila" @@ -19512,11 +15409,7 @@ msgid "" " metadata”." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:876 -======= -#: ../../tmp/translation/database_strings.rb:881 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:887 msgid "" "

Assign responsibilities for documentation: Individual roles and workflows should include gathering " @@ -19533,11 +15426,7 @@ msgid "" "teness of the documentation.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:877 -======= -#: ../../tmp/translation/database_strings.rb:882 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:888 msgid "" "

Metadata for datasets: DataCite has developed a resource." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:878 -======= -#: ../../tmp/translation/database_strings.rb:883 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:889 msgid "" "

Document your process: It is useful to consult regularly with members of the research team to captu" @@ -19569,11 +15454,7 @@ msgid "" "n the documentation.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:879 -======= -#: ../../tmp/translation/database_strings.rb:884 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:890 msgid "" "

Estimating data storage needs: Storage-space estimates should take into account requirements for fi" @@ -19584,11 +15465,7 @@ msgid "" ".

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:880 -======= -#: ../../tmp/translation/database_strings.rb:885 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:891 msgid "" "

Follow the 3-2-1 rule to prevent data loss: It&rsquo" ";s important to have a regular backup schedule — and to document that pr" @@ -19603,11 +15480,7 @@ msgid "" "an>.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:881 -======= -#: ../../tmp/translation/database_strings.rb:886 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:892 msgid "" "

Ask for help: Your in" "stitution should be able to provide guidance with local storage solutions. See" @@ -19640,11 +15513,7 @@ msgid "" "" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:882 -======= -#: ../../tmp/translation/database_strings.rb:887 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:893 msgid "" "

Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" @@ -19663,11 +15532,7 @@ msgid "" "ry options guide." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:883 -======= -#: ../../tmp/translation/database_strings.rb:888 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:894 msgid "" "

How long should you keep your data? The length of time that you will keep or share your data beyond the " @@ -19684,11 +15549,7 @@ msgid "" " 

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:884 -======= -#: ../../tmp/translation/database_strings.rb:889 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:895 msgid "" "

Consider which types of data need to be sha" "red to meet institutional or funding requirements, and which data may be restr" @@ -19696,11 +15557,7 @@ msgid "" "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:885 -======= -#: ../../tmp/translation/database_strings.rb:890 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:896 msgid "" "

Use open licenses to promote data sharing and reuse: " "Licenses determine what uses can be made of yo" @@ -19730,11 +15587,7 @@ msgid "" "t-weight: 400;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:886 -======= -#: ../../tmp/translation/database_strings.rb:891 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:897 msgid "" "

Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" @@ -19750,11 +15603,7 @@ msgid "" "asing the visibility of the publications.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:887 -======= -#: ../../tmp/translation/database_strings.rb:892 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:898 msgid "" "

Determine jurisdiction: If" " your study is cross-institutional or international, you’ll need to dete" @@ -19778,11 +15627,7 @@ msgid "" "=\"font-weight: 400;\">.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:888 -======= -#: ../../tmp/translation/database_strings.rb:893 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:899 msgid "" "

Get informed consent before you collect data: Obtaining the appropriate consent from research parti" @@ -19809,11 +15654,7 @@ msgid "" "ay not be able to use an open license.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:889 -======= -#: ../../tmp/translation/database_strings.rb:894 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:900 msgid "" "

Privacy protection: O" "pen science workflows prioritize being “as open as possible and as close" @@ -19827,11 +15668,7 @@ msgid "" "work.ca.  

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:890 -======= -#: ../../tmp/translation/database_strings.rb:895 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:901 msgid "" "

Please explain, in particular:

\\r\n" "
    \\r\n" @@ -19844,11 +15681,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:891 -======= -#: ../../tmp/translation/database_strings.rb:896 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:902 msgid "" "For fellow researchers, a write-up of your met" "hods is indispensable for supporting the reproducibility of a study. In prepar" @@ -19857,11 +15690,7 @@ msgid "" "ed. If appropriate, provide a link to that space here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:892 -======= -#: ../../tmp/translation/database_strings.rb:897 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:903 msgid "" "Planning how research data will be stored and " "backed up throughout and beyond a research project is critical in ensuring dat" @@ -19882,11 +15711,7 @@ msgid "" "ver. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:893 -======= -#: ../../tmp/translation/database_strings.rb:898 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:904 msgid "" "Choices about data preservation will depend on" " the potential for reuse and long-term significance of the data, as well as wh" @@ -19902,11 +15727,7 @@ msgid "" "sitory for your data. " msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:894 -======= -#: ../../tmp/translation/database_strings.rb:899 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:905 msgid "" "Most Canadian research funding agencies now ha" "ve policies recommending or requiring research data to be shared upon publicat" @@ -19924,11 +15745,7 @@ msgid "" "d licensing terms for any secondary data, if available." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:895 -======= -#: ../../tmp/translation/database_strings.rb:900 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:906 msgid "" "Data management focuses on the 'what' and 'how" "' of operationally supporting data across the research lifecycle. Data steward" @@ -19939,11 +15756,7 @@ msgid "" "the project." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:896 -======= -#: ../../tmp/translation/database_strings.rb:901 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:907 msgid "" "This estimate should incorporate data manageme" "nt costs expected during the project as well as those required for the longer-" @@ -19959,11 +15772,7 @@ msgid "" "here." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:897 -======= -#: ../../tmp/translation/database_strings.rb:902 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:908 msgid "" "

Researchers must follow the policies and gu" "idance of the research ethics board governing their institutions. There may be" @@ -20002,11 +15811,7 @@ msgid "" "epare ethics protocols.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:898 -======= -#: ../../tmp/translation/database_strings.rb:903 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:909 msgid "" "State how you will prepare, store, share, and " "archive the data in a way that ensures participant information is protected, t" @@ -20019,11 +15824,7 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:899 -======= -#: ../../tmp/translation/database_strings.rb:904 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:910 msgid "" "Please explain" ", in particular:
\\r\n" @@ -20075,11 +15876,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:900 -======= -#: ../../tmp/translation/database_strings.rb:905 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:911 msgid "" "It is important to keep track of different cop" "ies or versions of files, files held in different formats or locations, and in" @@ -20097,11 +15894,7 @@ msgid "" "00;\">." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:901 -======= -#: ../../tmp/translation/database_strings.rb:906 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:912 msgid "" "“Within the framework of privacy protect" "ion, the degree of anonymization of the data is an important consideration and" @@ -20119,11 +15912,7 @@ msgid "" "ight: 400;\"> for a selection of resources pertaining to anonymization." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:902 -======= -#: ../../tmp/translation/database_strings.rb:907 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:913 msgid "" "
    \\r\n" "
  • D" @@ -20138,11 +15927,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:903 -======= -#: ../../tmp/translation/database_strings.rb:908 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:914 msgid "" "

A data management application is a piece of" " software that stores data and helps to manage some aspects of the data and/or" @@ -20155,11 +15940,7 @@ msgid "" "software tool used to manage data acquisition or storage.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:904 -======= -#: ../../tmp/translation/database_strings.rb:909 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:915 msgid "" "In some circumstances, it may be desirable to " "preserve all versions of the data (e.g. raw, processed, analyzed, final), but " @@ -20167,11 +15948,7 @@ msgid "" "tom scans and other diagnostic scans may not need to be preserved)." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:905 -======= -#: ../../tmp/translation/database_strings.rb:910 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:916 msgid "" "DataCite's repository finder tool" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:906 -======= -#: ../../tmp/translation/database_strings.rb:911 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:917 msgid "" "Consider using preservation-friendly file form" "ats (open, non-proprietary formats), wherever possible. Some data formats are " @@ -20226,11 +15999,7 @@ msgid "" "dures carried out." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:907 -======= -#: ../../tmp/translation/database_strings.rb:912 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:918 msgid "" "You may wish to share your data in the same re" "pository selected for preservation or choose a different one. ." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:908 -======= -#: ../../tmp/translation/database_strings.rb:913 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:919 msgid "" "If data will be shared with any collaborators," " then it should have a data license that defines the terms of use. If the data" @@ -20269,11 +16034,7 @@ msgid "" " license my research data?”" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:909 -======= -#: ../../tmp/translation/database_strings.rb:914 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:920 msgid "" "Possibilities include: data registries, reposi" "tories, indexes, word-of-mouth, publications. How will the data be accessed (W" @@ -20294,11 +16055,7 @@ msgid "" "span>" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:910 -======= -#: ../../tmp/translation/database_strings.rb:915 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:921 msgid "" "Some examples of events to consider: replaceme" "nt of principal researcher, change of in responsibility for any researchers or" @@ -20306,11 +16063,7 @@ msgid "" "d with the research material described in this DMP." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:911 -======= -#: ../../tmp/translation/database_strings.rb:916 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:922 msgid "" "Give examples of the tools or software will yo" "u use to clean DICOM headers of personally identifiable information. E.g. ." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:912 -======= -#: ../../tmp/translation/database_strings.rb:917 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:923 msgid "" "This can be provided as a link, a description," " or as a full copy of appropriate documents." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:913 -======= -#: ../../tmp/translation/database_strings.rb:918 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:924 msgid "" "

For a good starter resource on metadata see" ": .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:914 -======= -#: ../../tmp/translation/database_strings.rb:919 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:925 msgid "" "

Syntax: Any code used by the researcher to " "transform the raw data into the research results. This most commonly includes," @@ -20358,11 +16099,7 @@ msgid "" ".

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:915 -======= -#: ../../tmp/translation/database_strings.rb:920 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:926 msgid "" "You can consult your analyst to learn more abo" "ut the availability of metadata for your proposed dataset. In some cases, the " @@ -20370,11 +16107,7 @@ msgid "" "dividuals identified etc.). and cannot be made available." msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:916 -======= -#: ../../tmp/translation/database_strings.rb:921 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:927 msgid "" "

A tool provided by OpenAIRE can help resear" "chers estimate the cost of research data management: .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:917 -======= -#: ../../tmp/translation/database_strings.rb:922 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:928 msgid "" "

There are many general and domain-specific metadata standards. Dataset docu" "mentation should be provided in one of these standard, machine readable, openl" @@ -20409,11 +16138,7 @@ msgid "" "isciplinary Metadata. 

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:918 -======= -#: ../../tmp/translation/database_strings.rb:923 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:929 msgid "" "

Read an .

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:919 -======= -#: ../../tmp/translation/database_strings.rb:924 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:930 msgid "" "

Check out

\\r\n" "
    \\r\n" @@ -20461,11 +16182,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:920 -======= -#: ../../tmp/translation/database_strings.rb:925 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:931 msgid "" "

Data Deposit

\\r\n" "

Check out the

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:921 -======= -#: ../../tmp/translation/database_strings.rb:926 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:932 msgid "" "

If researchers seek to share openly de-iden" "tified data emerging from their research, it is crucial that consent be secure" @@ -20570,11 +16283,7 @@ msgid "" "braries at yul_rdm@yorku.ca. 

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:922 -======= -#: ../../tmp/translation/database_strings.rb:927 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:933 msgid "" "

In terms of ownership o" "f research data, for faculty and post-docs at York University, please review t" @@ -20591,11 +16300,7 @@ msgid "" "lated questions.

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:923 -======= -#: ../../tmp/translation/database_strings.rb:928 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:934 msgid "" "

Consider using a

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:924 -======= -#: ../../tmp/translation/database_strings.rb:929 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:935 msgid "" "

For assistance with choosing and using a me" "tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:925 -======= -#: ../../tmp/translation/database_strings.rb:930 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:936 msgid "" "

For assistance with choosing and using a me" "tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." "

" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:926 -======= -#: ../../tmp/translation/database_strings.rb:931 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:937 msgid "" "

Check out

\\r\n" "
    \\r\n" @@ -20654,11 +16347,7 @@ msgid "" "
" msgstr "" -<<<<<<< HEAD -#: ../../tmp/translation/database_strings.rb:927 -======= -#: ../../tmp/translation/database_strings.rb:932 ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +#: ../../tmp/translation/database_strings.rb:938 msgid "" "

Les organismes subventionnaires demandent de préciser comment les do" "nnées seront recueillies, documentées, formatées, prot&ea" diff --git a/config/locale/en_CA/LC_MESSAGES/app.mo b/config/locale/en_CA/LC_MESSAGES/app.mo index 312bd71914..eb8b47a049 100644 Binary files a/config/locale/en_CA/LC_MESSAGES/app.mo and b/config/locale/en_CA/LC_MESSAGES/app.mo differ diff --git a/config/locale/en_CA/app.po b/config/locale/en_CA/app.po index f9042552ef..470785ee16 100644 --- a/config/locale/en_CA/app.po +++ b/config/locale/en_CA/app.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: integration 1.0\n" "Report-Msgid-Bugs-To: contact@translation.io\n" -"POT-Creation-Date: 2022-04-01 11:53-0400\n" -"PO-Revision-Date: 2022-04-01 17:54+0200\n" +"POT-Creation-Date: 2022-05-05 12:50-0400\n" +"PO-Revision-Date: 2022-05-05 18:51+0200\n" "Last-Translator: FULL NAME \n" "Language-Team: English\n" "Language: en_CA\n" @@ -191,8 +191,7 @@ msgid "" " history and in the larger field of humanities. It was designed to take into a" "ccount the fact that research projects in these disciplines still primarily us" "e analog research data during the active phases of a project. 

" -" -\n" +" \n" "

Two versions of the model are proposed: gui" "dance labelled “Phase 1” is for the documentation of DMP sections " "joined with a funding application. The headings documented in Phase 1 are" @@ -219,8 +218,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

-\n" +"ect.

\n" "

This template is for researchers who are do" "ing RDC work using Statistics Canada data and research data that they" @@ -232,8 +230,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

-\n" +"RDC analyst.

\n" "

If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

" @@ -250,13 +247,11 @@ msgid "" "

This template provides general guidance for" " those who are undertaking systematic reviews. It is suggested that different " "team members contribute to the DMP based on the stage of the review process in" -" which they will be involved in creating data.

-\n" +" which they will be involved in creating data.

\n" "

For additional guidance and examples, pleas" "e see the online research guide located at https://library.ucalgary.ca" -"/dmpforsr.

-\n" +"/dmpforsr
.

\n" "

The PRISMA-P f" "or systematic review protocols is a" @@ -283,8 +278,7 @@ msgid "" "onal partnership and who have already completed a funding application and an e" "thics review protocol.  The DMP is a living document: don’t forget to revisit your DMP throughout the rese" -"arch project to update or review your responses.

-\n" +"arch project to update or review your responses.

\n" "

Not all of these questions will apply to al" "l research projects. We encourage you to respond to as many as possible but ul" "timately, you and your team have to decide which questions and answers apply t" @@ -296,8 +290,7 @@ msgid "" ") template is designed to be completed in two phases: Phase 1 questions probe " "at a high-level, seeking information about the general direction of the study." " Normally, researchers will be able to respond to phase 1 questions at the out" -"set of a project.  

-\n" +"set of a project.  

\n" "

Phase 2 questions seek greater detail. It i" "s understood that these answers will often depend on the outcome of several st" "eps in the research project, such as: a literature review, imaging protocol de" @@ -323,8 +316,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

-\n" +"ect.

\n" "

This template is for researchers who are do" "ing RDC work using Statistics Canada data available in the RDC only (" @@ -423,8 +415,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

-\n" +"RDC analyst.

\n" "

If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

" @@ -435,7 +426,6 @@ msgid "" "eking information about the general direction of the study. Normally, research" "ers will be able to respond to phase 1 questions at the outset of a project.&n" "bsp; 

" -<<<<<<< HEAD msgstr "" msgid "" @@ -473,16 +463,22 @@ msgid "" "roughout a research project. 

" msgstr "" +msgid "sec2" +msgstr "" + +msgid "section2" +msgstr "" + msgid "Data Production" msgstr "" msgid "Sharing and Preserving" msgstr "" -msgid "Software/Technology Development" +msgid "Research Data Management Policies" msgstr "" -msgid "Research Data Management Policies" +msgid "Software/Technology Development" msgstr "" msgid "Data Analysis" @@ -497,19 +493,16 @@ msgstr "" msgid "Metadata" msgstr "" -msgid "File Management" -msgstr "" - -msgid "Ensure Portability and Reproducibility of Results" +msgid "Storage, Backup, and Access" msgstr "" msgid "Software/Technology Preservation" msgstr "" -msgid "Storage, Backup, and Access" +msgid "Ensure Portability and Reproducibility of Results" msgstr "" -msgid "Sharing and Archiving" +msgid "File Management" msgstr "" msgid "Software/Technology Ethical and Legal Restrictions" @@ -518,7 +511,7 @@ msgstr "" msgid "Storage, Access, and Backup" msgstr "" -msgid "Sharing, Reuse, and Preservation" +msgid "Sharing and Archiving" msgstr "" msgid "Software/Technology Responsible Parties" @@ -527,13 +520,16 @@ msgstr "" msgid "Ethics and Intellectual Property" msgstr "" -msgid "Ethical and Legal Compliance" +msgid "Sharing, Reuse, and Preservation" msgstr "" -msgid "Roles and Responsibilities" +msgid "Software/Technology Sharing" msgstr "" -msgid "Software/Technology Sharing" +msgid "Ethical and Legal Compliance" +msgstr "" + +msgid "Roles and Responsibilities" msgstr "" msgid "Responsibilities and Resources " @@ -545,20 +541,21 @@ msgstr "" msgid "Data Sharing" msgstr "" +msgid "test customization section" +msgstr "" + msgid "" "

All research conducted in the Research Data" " Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" "ry in nature. There is no data collection involved in this project. These data" " are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

-\n" +"d by the Canadian Research Data Centres Network.

\n" "

Raw data in the RDC are stored in multiple " "formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" "files) as appropriate. The availability of StatTransfer™ software within" " the RDCs and continued management by Statistics Canada will ensure that the d" "ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

-\n" +"ecome obsolete. 

\n" "

The data provided by Statistics Canada are " "assigned unique identifiers which can be used to identify the data in any rese" "arch output. 

" @@ -569,8 +566,7 @@ msgid "" " Centres (hereafter RDC) is secondary in nature. There is no data collection i" "nvolved in this portion of the project. These data are owned and maintained by" " Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

-\n" +"ata Centres Network.

\n" "

Raw data in the RDC are stored in multiple " "formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" "pefiles) as appropriate. The availability of StatTransfer™ software with" @@ -582,6 +578,9 @@ msgid "" "chived.

" msgstr "" +msgid "

test

" +msgstr "" + msgid "" "

Describe the components that will be requir" "ed to develop the software/technology in question.

" @@ -592,11 +591,6 @@ msgid "" "ll follow during the data collection process of your study.

" msgstr "" -msgid "" -"

Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

" -msgstr "" - msgid "" "

Outline the steps, materials, and methods t" "hat you will use to document how you will analyze the data collected in your s" @@ -610,12 +604,6 @@ msgid "" "he questionnaire, and a codebook.

" msgstr "" -msgid "" -"

Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

" -msgstr "" - msgid "" "Because data are rarely self-explanatory, all research data should be accompan" "ied by metadata (information that describes the data according to community be" @@ -627,6 +615,17 @@ msgid "" "ved access to the data, where possible." msgstr "" +msgid "" +"

Provide an outline of the documentation and" +" information that would be required for someone else to understand and reuse y" +"our software/technology.

" +msgstr "" + +msgid "" +"

Outline the steps, materials, and methods t" +"hat you will use during the data analysis phase of your study.

" +msgstr "" + msgid "" "

Documentation provided by Statistics Canada" " in the RDC will be available to any potential future users of these data. Thi" @@ -639,6 +638,12 @@ msgid "" ">

" msgstr "" +msgid "" +"

This section will focus on including inform" +"ation that would be required for someone else to interpret and re-use your dat" +"a.

" +msgstr "" + msgid "" "

This section is designed for you to provide" " information about your data, so that others will be able to better understand" @@ -661,12 +666,6 @@ msgid "" ">" msgstr "" -msgid "" -"

This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

" -msgstr "" - msgid "" "

Data storage is managed by the CRDCN in par" "tnership with Statistics Canada on Servers located across the network. Th" @@ -674,8 +673,7 @@ msgid "" "anything else stored in the project folder) for ten years. These data are back" "ed up on site and accessible through a highly secured network from any of the " "other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

-\n" +"rpetuity by Statistics Canada.

\n" "

For external research data, storage and bac" "kup are solely the responsibility of the researcher. Please consider the follo" "wing questions as they relate to external data. These questions should also be" @@ -709,11 +707,6 @@ msgid "" "/p>" msgstr "" -msgid "" -"

Describe and outline how and where your dat" -"a will be stored throughout the research project.

" -msgstr "" - msgid "" "

The work conducted in the RDC for this proj" "ect is kept based on the Contract ID provided by the RDC program which can be " @@ -732,36 +725,14 @@ msgid "" msgstr "" msgid "" -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

-\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

" +"

Describe and outline how and where your dat" +"a will be stored throughout the research project.

" msgstr "" msgid "" "

Describe the steps that will ensure that yo" "ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" +"dy is complete.

" msgstr "" msgid "" @@ -774,8 +745,7 @@ msgid "" "

Because the Statistics Canada Microdata fil" "es are collected under assurances of confidentiality and are owned and control" "led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

-\n" +"team. 

\n" "

Access to the data in the RDCs is governed " "by the CRDCN's Access and Fee-for-service policy in French. The policy provides free access to university-based researchers who are ne" "twork members and provides access to others on a cost-recovery basis. -\n" +"p> \n" "

The CRDCN and Statistics Canada promote the" "ir data holdings through social media and their respective websites. In additi" "on, CRDCN data are required to be cited in any and all publications with the r" @@ -793,18 +762,42 @@ msgid "" "cations using RDC data should include the RDC contract ID so that potential us" "ers can find information on the original contract. This information is availab" "le on the CRDCN website (crdcn.org/pu" -"blications).

-\n" +"blications).

\n" "

For your supplemental/external data, please" " answer the following questions aimed to satisfy the FAIR principl" "es.

" msgstr "" +msgid "" +"

Because the Statistics Canada Microdata fil" +"es are collected under assurances of confidentiality and are owned and control" +"led by Statistics Canada, they cannot be shared by any member of the research " +"team. 

\n" +"

Access to the data in the RDCs is governed " +"by the CRDCN's Access and Fee-for-service policy in English or <" +"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" +"twork members and provides access to others on a cost-recovery basis. \n" +"

The CRDCN and Statistics Canada promote the" +"ir data holdings through social media and their respective websites. In additi" +"on, CRDCN data are required to be cited in any and all publications with the S" +"tatistics Canada Record Number so that readers are able to find the data. In a" +"ddition, all publications using RDC data should include the RDC contract ID so" +" that potential users can find information on the original contract. This info" +"rmation is available on the CRDCN website (crdcn.org/publications" +").

" +msgstr "" + msgid "" "

Describe the steps that will ensure that yo" "ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" +"dy is complete.

" msgstr "" msgid "" @@ -812,17 +805,20 @@ msgid "" "placed on your research data.

" msgstr "" +msgid "" +"

Describe how you will make your software/te" +"chnology discoverable and accessible to others once it is complete.

" +msgstr "" + msgid "" "

The CRDCN and Statistics Canada will mainta" "in the research data even if the researcher leaves their organization.<" -"/p> -\n" +"/p> \n" "

CRDCN enjoys the support of CIHR, SSHRC and" " CFI as well as receiving funds from the partner universities. There is no cha" "rge to the users of the RDCs for the data management conducted under the auspi" "ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" +"/p> \n" "

CRDCN does not employ consistency checking " "to ensure that the code provided alongside requests for research results to be" " released from the secure facility truly creates the output as requested. The " @@ -830,8 +826,7 @@ msgid "" "ork as intended and are clear to other users who might access them lies with t" "he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" "s saved alongside all of the research output used to support the conclusions o" -"f any published works.

-\n" +"f any published works.

\n" "

Researchers should consider how to manage t" "heir external research data and should think about who on the project team wil" "l have responsibility for managing the research data and what resources might " @@ -848,16 +843,6 @@ msgid "" "ive resides.

" msgstr "" -msgid "" -"

Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

" -msgstr "" - -msgid "" -"

Outline any ethical and legal implications " -"placed on your research data.

" -msgstr "" - msgid "" "Data management focuses on the 'what' and 'how' of operationally supporting da" "ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" @@ -867,17 +852,20 @@ msgid "" "ies for data management tasks during and after the project." msgstr "" +msgid "" +"

Outline any ethical and legal implications " +"placed on your research data.

" +msgstr "" + msgid "" "

The CRDCN and Statistics Canada will mainta" "in the research data even if the researcher leaves their organization.<" -"/p> -\n" +"/p> \n" "

CRDCN enjoys the support of CIHR, SSHRC and" " CFI as well as receiving funds from the partner universities. There is no cha" "rge to the users of the RDCs for the data management conducted under the auspi" "ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" +"/p> \n" "

CRDCN does not employ consistency checking " "to ensure that the code provided alongside requests for research results to be" " released from the secure facility truly creates the output as requested. The " @@ -888,19 +876,6 @@ msgid "" "f any published works.

" msgstr "" -msgid "" -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." -msgstr "" - msgid "" "

Any users of the RDC must be 'deemed employ" "ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" @@ -909,14 +884,12 @@ msgid "" "w process of a research proposal and an institutional review at Statistics Can" "ada. In cases where a researcher’s scholarly work has been assessed thro" "ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

-\n" +"d only the institutional review is required.

\n" "

Once a researcher is granted access to the " "RDC they must take an Oath of Secre" "cy – promising never to disc" "lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

-\n" +"for violations of this oath.

\n" "

Intellectual property for work done within " "the RDC becomes property of Statistics Canada including code used to manipulat" "e data. The collection and dissemination of, and access to, confidential micro" @@ -928,15 +901,13 @@ msgid "" "lable here in English or French.

-\n" +"an>.

\n" "


In general, research ethics clearance is not required for research conducted" " in the RDC. A statement from the CRDCN on the topic is available here in English or French.

-\n" +"ds/ethics_review_recommendations_fr.pdf\">French.

\n" "

Please respond to the following ethical com" "pliance questions as they relate to your external/supplemental data. If your p" "roject underwent research-ethics review at your institution, you can summarize" @@ -963,13 +934,11 @@ msgid "" "w process of a research proposal and an institutional review at Statistics Can" "ada. In cases where a researcher’s scholarly work has been assessed thro" "ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

-\n" +"d only the institutional review is required.

\n" "

Once a researcher is granted access to the " "RDC they must take an Oath of Secrecy – promising never to disclose conf" "idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

-\n" +"tions of this oath.

\n" "

Intellectual property for work done within " "the RDC becomes property of Statistics Canada including code used to manipulat" "e data. The collection and dissemination of, and access to, confidential micro" @@ -980,8 +949,7 @@ msgid "" ".org/research\">English or French.

-\n" +"pan>

\n" "

In general, research ethics clearance is no" "t required for research conducted in the RDC. A statement from the CRDCN on th" "e topic is available here in .

" msgstr "" +msgid "" +"Researchers and their teams need to be aware of the policies and processes, bo" +"th ethical and legal, to which their research data management must comply. Pro" +"tection of respondent privacy is of paramount importance and informs many data" +" management practices.  In their data management plan, researchers must state " +"how they will prepare, store, share, and archive the data in a way that ensure" +"s participant information is protected, throughout the research lifecycle, fro" +"m disclosure, harmful use, or inappropriate linkages with other personal data." +"
It's recognized that there may be cases where certain data and metadata c" +"annot be made public for various policy or legal reasons, however, the default" +" position should be that all research data and metadata are public." +msgstr "" + msgid "" "

Provide information about how you will make" " your data available and/or discoverable to the broader community.

" @@ -1048,9088 +1029,4654 @@ msgid "" msgstr "" msgid "" -======= +"What are the storage requirements needed for y" +"our data?" msgstr "" msgid "" -"

This template is for researchers who are do" -"ing RDC work using Statistics Canada data available in the RDC only (" -"i.e. there is no supplemental data, public use statistics, or any other inform" -"ation that complements the RDC work). If your work is being conducted in the R" -"DC in concert with other data that you either intend to bring into the RDC or " -"work on outside the RDC in parallel to your RDC work, then the RDC and Externa" -"l Analysis template should be completed. 

" +"Where will data be stored after the p" +"roject is complete?" msgstr "" -msgid "

test

" +msgid "" +"How is the informed consent process carried ou" +"t in your study? " msgstr "" msgid "" -"

This section is focused on a data managemen" -"t plan designed to describe the methods in which data are gathered, analyzed, " -"and shared from participants based on interventions or testing of the correspo" -"nding software or technology

" +"What financial resources will you require for " +"data management in this study?" msgstr "" msgid "" -"

“Phase 2” may be considered onc" -"e funding has been secured. The entire DMP is an evolving management document " -"since the content of certain headings will only become clearer once the projec" -"t is well underway.

" +"Who are the likely users/benefitters of your d" +"ata?" msgstr "" msgid "" -"

Phase 2 questions seek greater detail. It i" -"s understood that these answers will often depend on the outcome of several st" -"eps in the research project, such as: a literature review, imaging protocol de" -"sign and experimental design, or running multiple pilot subjects and interpret" -"ing the outcome. As these details become known, the DMP can and should be revi" -"sited. This approach underscores that DMPs are living documents that evolve th" -"roughout a research project. 

" +"What software/technology will be created in th" +"is study?" msgstr "" -msgid "Data Production" +msgid "" +"What information would be required for someone" +" to understand and reuse your software/technology?" msgstr "" -msgid "Sharing and Preserving" +msgid "" +"How will the software/technology be updated an" +"d maintained over time?" msgstr "" -msgid "Research Data Management Policies" +msgid "" +"Who will own the copyright to the software/tec" +"hnology?" msgstr "" -msgid "Software/Technology Development" +msgid "" +"Who will have access to your software/technolo" +"gy throughout the project? Describe each collaborator’s responsibilities" +" in relation to having access to the data." msgstr "" -msgid "Data Analysis" +msgid "" +"Who are the intended users of your software/te" +"chnology?" msgstr "" -msgid "Software/Technology Documentation" +msgid "" +"How will you document the changes you make to " +"your data on a regular basis during the data analysis phase?" msgstr "" -msgid "Metadata" +msgid "" +"What information would be required for someone" +" else to understand and reuse your data?" msgstr "" -msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" +msgid "" +"How will the informed consent process be carri" +"ed out within your study?" msgstr "" -msgid "Software/Technology Preservation" +msgid "" +"Who are the intended users of your data?" msgstr "" -msgid "Storage, Backup, and Access" +msgid "" +"What types of data will you create and/or collect? What methods, arts-based an" +"d otherwise, will you use?" msgstr "" -msgid "Ensure Portability and Reproducibility of Results" +msgid "" +"What metadata will you create to ensure your data can be interpreted and reuse" +"d in the future?" msgstr "" -msgid "File Management" +msgid "" +"How much storage space will you need for digital data during your project? How" +" long will you store them?" msgstr "" -msgid "Software/Technology Ethical and Legal Restrictions" +msgid "What are your preservation needs for your digital data?" msgstr "" -msgid "Storage, Access, and Backup" -msgstr "" - -msgid "Sharing and Archiving" -msgstr "" - -msgid "Software/Technology Responsible Parties" -msgstr "" - -msgid "Ethics and Intellectual Property" -msgstr "" - -msgid "Sharing, Reuse, and Preservation" +msgid "What types of data will you share and in what form?" msgstr "" -msgid "Ethical and Legal Compliance" +msgid "" +"Who will be responsible for research data management during and after your pro" +"ject? What will their tasks be?" msgstr "" -msgid "Roles and Responsibilities" +msgid "" +"Are there policies that outline requirements and/or best practices pertaining " +"to your research data management?" msgstr "" -msgid "Software/Technology Sharing" +msgid "" +"Are there any research data management policie" +"s in place that outline requirements and/or best practice guidance regarding t" +"he management of your data? If so, provide details and, if helpful, URL links " +"to these policies. " msgstr "" -msgid "Responsibilities and Resources " +msgid "" +"Describe the type(s) of data that you will collect, including all survey, inte" +"rview and/or focus group data. If there are any additional types of data that " +"will be collected or generated describe these as well." msgstr "" -msgid "Sharing, Reuse and Preservation" +msgid "" +"Describe any documentation and metadata that will be used in order to ensure t" +"hat data are able to be read and understood both during the active phases of t" +"he project and in the future." msgstr "" -msgid "Data Sharing" +msgid "" +"Describe where, how, and for how long data wil" +"l be securely stored during the act" +"ive phases of the research project" +". If any data are to be collected through the use of electronic platforms, acc" +"ount for their usage within your data storage description. Include a descripti" +"on of any policies and procedures that will be in place to ensure that data ar" +"e regularly backed-up." msgstr "" msgid "" -"

All research conducted in the Research Data" -" Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" -"ry in nature. There is no data collection involved in this project. These data" -" are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

-\n" -"

Raw data in the RDC are stored in multiple " -"formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" -"files) as appropriate. The availability of StatTransfer™ software within" -" the RDCs and continued management by Statistics Canada will ensure that the d" -"ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

-\n" -"

The data provided by Statistics Canada are " -"assigned unique identifiers which can be used to identify the data in any rese" -"arch output. 

" +"Describe how you will ensure that your data is" +" preservation ready, including the file format(s) that they will be preserved " +"in and. Explain how you will prevent da" +"ta from being lost while processing and converting files." msgstr "" msgid "" -"

All research conducted in the Research Data" -" Centres (hereafter RDC) is secondary in nature. There is no data collection i" -"nvolved in this portion of the project. These data are owned and maintained by" -" Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

-\n" -"

Raw data in the RDC are stored in multiple " -"formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" -"pefiles) as appropriate. The availability of StatTransfer™ software with" -"in the RDCs and continued management by Statistics Canada will ensure that the" -" data will be accessible indefinitely should the file formats currently in use" -" become obsolete. Researchers can bring data into the RDCs (these will be call" -"ed “supplemental data”). When they do, they are stored alongside a" -"ll of the other research products related to that contract from the RDC and ar" -"chived.

" +"Describe what data you will be sharing, includ" +"ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" +"/span>" msgstr "" msgid "" -"

Describe the components that will be requir" -"ed to develop the software/technology in question.

" +"Who will be responsible for data management du" +"ring the project (i.e., during collection, processing, analysis, documentation" +")? Identify staff and organizational roles and their responsibilities for carr" +"ying out the data management plan (DMP), including time allocations and traini" +"ng requirements." msgstr "" msgid "" -"

Outline the processes and procedures you wi" -"ll follow during the data collection process of your study.

" +"If applicable, what strategies will you undert" +"ake to address secondary uses of data, " +"and especially those which are sensitive in nature?" msgstr "" msgid "" -"

Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

" +"What types of data, metadata, and scripts will you collect, create, link to, a" +"cquire, record, or generate through the proposed research project?" msgstr "" msgid "" -"

Outline the steps, materials, and methods t" -"hat you will use to document how you will analyze the data collected in your s" -"tudy.

" +"In what file formats will your data be collected and generated? Will these for" +"mats allow for data re-use, sharing and long-term access to the data?" msgstr "" msgid "" -"

Documentation provided by Statistics Canada in the RDC is available to any " -"data-users. This documentation is freely available to those with approved proj" -"ects, and contains information about the sample selection process, a copy of t" -"he questionnaire, and a codebook.

" +"What information will be needed for the data to be read and interpreted correc" +"tly?" msgstr "" msgid "" -"Because data are rarely self-explanatory, all research data should be accompan" -"ied by metadata (information that describes the data according to community be" -"st practices).  Metadata standards vary across disciplines, but generally stat" -"e who created the data and when, how the data were created, their quality, acc" -"uracy, and precision, as well as other features necessary to facilitate data d" -"iscovery, understanding and reuse.
Any restrictions on use of the data mu" -"st be explained in the metadata, along with information on how to obtain appro" -"ved access to the data, where possible." +"Please identify the facilities to be used (laboratory, computer, office, clini" +"cal and other) and/or list the organizational resources available to perform t" +"he proposed research. If appropriate, indicate the capacity, pertinent capabil" +"ities, relative proximity and extent of availability of the resources to the r" +"esearch project." msgstr "" -msgid "" -"

Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

" +msgid "What will you do to ensure portability and reproducibility of your results?" msgstr "" msgid "" -"

Documentation provided by Statistics Canada" -" in the RDC will be available to any potential future users of these data. Thi" -"s documentation is freely available to those with approved projects, and conta" -"ins information about the sample selection process, a copy of the questionnair" -"e, and a codebook. Researchers should also think about how the metadata for th" -"eir external data can be provided to other researchers. Best practices require" -" that there be coordination between the internal and external data management." -" How to best manage this will depend on the nature of the external data.

" +"What will be the potential impact of the data within the immediate field and i" +"n other fields, and any broader societal impact?" msgstr "" msgid "" -"

This section is designed for you to provide" -" information about your data, so that others will be able to better understand" -", interpret, and potentially re-use your data for secondary analysis." +"Describe each set of research materials using the table provided. Repeat as ma" +"ny times as necessary for each new set.
\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" +"(e.g. images, recordings, manuscrip" +"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" +"lection, corpus)
Data Creation Methodolo" +"gy
(if" +" the data are produced as part of the project)
(e.g., surveys and qualita" +"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" +" data if it is not collected data, or 2) who created an additional analytical " +"layer to existing research data.
Example: In the second case, one could u" +"se a finding aid prepared by the archive or a catalog raisonné of anoth" +"er researcher.
Is it sensitive data?Arc" +"hival records are generally reviewed by an archivist for privacy concerns befo" +"re being made available to researchers. In cases where the information will be" +" collected directly by the principal researcher, you should avoid disclosing a" +"ny information that could identify a living person such as ethnic origin, pers" +"onal beliefs, personal orientation, health status, etc. without permission. Fo" +"r further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" +"t of research data/material during the project(e.g. print, magnetic tape, artefac" +"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" +"ore information on file formats: UBC Library or UK Data " +"Service.
Does the research data" +" require long-term preservation?Research material that has heritag" +"e value or value to one or more research communities or to the public interest" +" should provide for specific actions to ensure its long-term access. If so, ex" +"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" +"sidered for this dataset, including in particular the preservation format). \n" +"
Will the research data" +" be shared?If not, please justify why no form" +" of sharing is possible or desirable. Sharing research materials promotes know" +"ledge development, collaborations and reduces duplication of research efforts." +"
(The Sharing and Reuse section provides an opportunity to cons" +"ider all of the considerations for this dataset, particularly the disseminatio" +"n format).
" msgstr "" msgid "" -"

Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -"anything else stored in the project folder) for ten years. Data are backed up " -"on site and accessible through a highly secured network from any of the other " -"RDC locations.

" +"What documentation is required to correctly read and interpret the research da" +"ta?" msgstr "" msgid "" -"

Describe how your software/technology will " -"be available for the foreseeable future after the study is complete." +"

Describe the storage conditions for your research data taking into account " +"the following aspects:

\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Master file and backup" +" copiesFo" +"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" +"tored on 2 types of media (e.g. institutional server + external drive), and 1 " +"copy kept in an off-site location.

Each storage medium has advanta" +"ges and disadvantages. If needed, consult a resource person or conta" +"ct the DMP Coordinator at support@p" +"ortagenetwork.ca. Find more information on storage and backup practices at" +" UK Data Serv" +"ice.
Anticipated storage spa" +"ce(e." +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
Anticipated storage dur" +"ation(e." +"g. for the duration of the project; 5 years after the end of the project; long" +" term = well beyond the end of the project)
Is the access to this r" +"esearch data restricted? If " +"applicable, indicate what measures are being taken to manage this access (e.g." +" password protection, file encryption).
Who can access the dat" +"a?De" +"scribe functional roles.

To " +"make sure your research data is transmitted in a secure manner or through serv" +"ers governed by Canadian or provincial legislation, either contact your institution’s library<" +"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" +"etwork.ca.
" msgstr "" msgid "" -"

Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -"anything else stored in the project folder) for ten years. These data are back" -"ed up on site and accessible through a highly secured network from any of the " -"other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

-\n" -"

For external research data, storage and bac" -"kup are solely the responsibility of the researcher. Please consider the follo" -"wing questions as they relate to external data. These questions should also be" -" considered for supplemental data if you plan to do parallel storage and backu" -"p of these data.

" +"Describe the research data that requires long-term preservation by considering" +" the following aspects:

\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Preservation reason(e.g. heritage value; value for one or m" +"ultiple research communities; public interest; policy requirement)
Preservation formatSee recommendations of" +" the Library of Congress. Note that converting from one file format to another for p" +"reservation purposes may result in loss of information. This type of operation" +" must be mentioned in the Documenta" +"tion and Metadata section.<" +"/td> \n" +"
" msgstr "" msgid "" -"

This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

" +"

For each research dataset reported as containing sensitive data, identify t" +"he security issues that need to be considered to protect the privacy and confi" +"dentiality within your team.

" msgstr "" msgid "" -"

This section will ask you to outline how yo" -"u will store and manage your data throughout the research process.

" +"

Describe each research dataset that will be shared with other researchers o" +"r a broader audience while taking into account the following considerations: \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Is it sensitive data?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Is the research data subject" +" to intellectual property?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Sharing requirementIt depen" +"ds on whether an institutional policy or the granting agency requires some for" +"m of sharing of research materials.
Target audience (e.g. hi" +"story researchers, researchers from various disciplines, general public)
" msgstr "" msgid "" -"

The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology).

" +"For all research data management activities, consider who is responsible (indi" +"vidual or organization), based on what timeframe, whether staff training is re" +"quired, and whether there are costs associated with these tasks." msgstr "" msgid "" -"

The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data, is pe" -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology). In addition to this preservation for the RDC work, the external data " -"(and related syntax, metadata and methodology) should be preserved also.

" +"Describe each set of research materials using the table provided. Repeat as ma" +"ny times as necessary for each new set.
\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" +"(e.g. images, recordings, manuscrip" +"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" +"lection, corpus)
Data Creation Methodolo" +"gy
(if" +" the data are produced as part of the project)
(e.g., surveys and qualita" +"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" +" data if it is not collected data, or 2) who created an additional analytical " +"layer to existing research data.
Example: In the second case, one could u" +"se a finding aid prepared by the archive or a catalog raisonné of anoth" +"er researcher.
Is it sensitive data?Arc" +"hival records are generally reviewed by an archivist for privacy reasons befor" +"e being made available to researchers. In cases where the information will be " +"collected directly by the principal researcher, you should avoid disclosing an" +"y information that could identify a living person such as ethnic origin, perso" +"nal beliefs, personal orientation, health status, etc. without permission. For" +" further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" +"t of research data/material during the project(e.g. print, magnetic tape, artefac" +"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" +"ore information on file formats: UBC Library or UK Data " +"Service.
Does the research data" +" require long-term preservation?Research material that has heritag" +"e value or value to one or more research communities or to the public interest" +" should provide for specific actions to ensure its long-term access. If so, ex" +"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" +"sidered for this dataset, including in particular the preservation format). \n" +"
Will the research data" +" be shared?If not, please justify why no form" +" of sharing is possible or desirable. Sharing research materials promotes know" +"ledge development, collaborations and reduces duplication of research efforts." +"
(The Sharing and Reuse section provides an opportunity to cons" +"ider all of the considerations for this dataset, particularly the disseminatio" +"n format).
Will the dataset require updates?
If so, make sure to properly and timely document " +"this process in the Documentation and Metadata section.
" msgstr "" msgid "" -"

Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" +"

Describe the storage conditions for your research data taking into account " +"the following aspects:

\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Master file and backup" +" copiesFo" +"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" +"tored on 2 types of media (e.g. institutional server + external drive), and 1 " +"copy kept in an off-site location.

Each storage medium has advanta" +"ges and disadvantages. If needed, consult a resource person or conta" +"ct the DMP Coordinator at support@p" +"ortagenetwork.ca. Find more information on storage and backup practices at" +" UK Data Serv" +"ice.
Anticipated storage spa" +"ce(e." +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
Anticipated storage dur" +"ation(e." +"g. for the duration of the project; 5 years after the end of the project; long" +" term = well beyond the end of the project)
Is the access to this r" +"esearch data restricted? If " +"applicable, indicate what measures are being taken to manage this access (e.g." +" password protection, file encryption).
Who can access the dat" +"a?De" +"scribe functional roles.

To " +"make sure your research data is transmitted in a secure manner or through serv" +"ers governed by Canadian or provincial legislation, either contact your institution’s library<" +"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" +"etwork.ca.
\n" +"



" msgstr "" msgid "" -"

Describe and outline how and where your dat" -"a will be stored throughout the research project.

" +"

For each research dataset reported as containing sensitive data (see Resear" +"ch Data Collection section), explain how this data will be safely mana" +"ged to protect the privacy and confidentiality within your team.

" msgstr "" msgid "" -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" +"

Describe each research dataset that will be shared with other researchers o" +"r a broader audience while taking into account the following considerations: \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" " +"\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
Is it sensitive data?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Is the research data subject" +" to intellectual property?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Sharing requirementIt depen" +"ds on whether an institutional policy or the granting agency requires some for" +"m of sharing of research materials.
Target audience (e.g. hi" +"story researchers, researchers from various disciplines, general public)
Data processing level Describe in what forma" +"t the data is shared, i.e. raw, processed, analyzed, or final, or whether only" +" metadata can be shared. These processi" +"ng level options are not mutually exclusive.
\n" +"
    \n" +"
  • Raw: data obtained directly from the field or an interview.
  • " +"\n" +"
  • Processed: operations performed to make data ready for analysis or to de" +"-identify individuals.
  • \n" +"
  • Analyzed: data resulting from a qualitative or quantitative analysis fol" +"lowing a methodology and a conceptual framework.
  • \n" +"
  • Final: research data prepared for its preservation.
  • \n" +"
  • Metadata: information describing research data.
  • \n" +"
\n" +"
User licenceThe holder of the rese" +"arch data intellectual property should grant a licence that clarifies how the " +"research data may be used. The most commonly used licences are Creative" +" Commons licences and Open" +" Data Commons licences. Please note" +" that once a licence is granted, even if it is subsequently changed, the use o" +"f data obtained under the former licence cannot be prevented.
Required softwareIf applicable, indicat" +"e the name and version of the software required to access research data.
" msgstr "" msgid "" -"

Outline who is responsible for the developm" -"ent and monitoring of the software/technology over the course of the study.

" +"Which RDC datasets will be used in the researc" +"h?" msgstr "" msgid "" -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

-\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the r" -"ecord number so that readers are able to find the data. In addition, all publi" -"cations using RDC data should include the RDC contract ID so that potential us" -"ers can find information on the original contract. This information is availab" -"le on the CRDCN website (crdcn.org/pu" -"blications).

-\n" -"

For your supplemental/external data, please" -" answer the following questions aimed to satisfy the FAIR principl" -"es.

" +"What will you do to ensure that your research " +"data contributions (syntax, output etc…) in your RDC project folder and" +" (if applicable) your external analysis are properly documented, organized and" +" accessible? " msgstr "" msgid "" -"

Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

" +"What are the anticipated storage requirements " +"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" +"s, etc.) and the length of time you will be storing it?" msgstr "" msgid "" -"

Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

-\n" -"

Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

" +"Will you deposit your syntax and other researc" +"h data in a repository to preserve your files? Please describe your intended p" +"reservation of all research data here, noting how you will deal with any priva" +"cy concerns related to your supplemental/external data:" msgstr "" msgid "" -"

Outline the ethical and legal implications " -"placed on your research data.

" +"

Outside of the data sharing/reuse that happ" +"ens automatically within your project folder, what data will you be sharing, w" +"here, and in what form (e.g. raw, processed, analyzed, final)?

" msgstr "" msgid "" -"

Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

" +"For the supplemental/external data, identify who will be responsible for managing thi" +"s project's data during and after the project and the major data management ta" +"sks for which they will be responsible." msgstr "" msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." -msgstr "" - -msgid "" -"

The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

-\n" -"

Researchers should consider how to manage t" -"heir external research data and should think about who on the project team wil" -"l have responsibility for managing the research data and what resources might " -"be required to do so. Where possible, the research data from within the RDC sh" -"ould be managed in a way that is coordinated with the external research data m" -"anagement.

In addition to the data management employed by Statistic" -"s Canada, it is possible for researchers to have research output that does not" -" contain confidential data, including tables, syntax and other information, re" -"leased from the RDC where it could be curated in a repository of the researche" -"r’s choosing as described in the Preservation section. If you plan to do" -" any supplemental storage or curation of your research data (either the user-g" -"enerated research data from the RDC or the external/supplemental data), please" -" comment on where the responsibility for curation and maintenance of this arch" -"ive resides.

" +"If your research project includes sensitive da" +"ta, how will you ensure that it is securely managed and accessible only to app" +"roved members of the project?" msgstr "" -msgid "" -"

Outline any ethical and legal implications " -"placed on your research data.

" +msgid "Why are you collecting or generating your data?" msgstr "" -msgid "" -"

The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

" +msgid "Does your project include sensitive data?" msgstr "" msgid "" -"

Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

-\n" -"

Once a researcher is granted access to the " -"RDC they must take an Oath of Secre" -"cy – promising never to disc" -"lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

-\n" -"

Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statist" -"ics Act and complies with all lega" -"l requirements. The confidential microdata for this project cannot be shared, " -"posted, or copied. Access to the data is available exclusively through Statist" -"ics Canada and the RDC program. More information on how to access data is avai" -"lable here in English or French.

-\n" -"


In general, research ethics clearance is not required for research conducted" -" in the RDC. A statement from the CRDCN on the topic is available here in English or French.

-\n" -"

Please respond to the following ethical com" -"pliance questions as they relate to your external/supplemental data. If your p" -"roject underwent research-ethics review at your institution, you can summarize" -" the submission instead of answering these questions.

" +"What file formats will your data be in? Will these formats allow for data re-u" +"se, sharing and long-term access to the data? If not, how will you convert the" +"se into interoperable formats?" msgstr "" msgid "" -"

In general, data collected using public fun" -"ds should be preserved for future discovery and reuse. As you develop your data sharing strategy you will want to con" -"sider the following:

" +"Who will be responsible for managing this project's data during and after the " +"project, and for what major data management tasks will they be responsible?" msgstr "" msgid "" -"

Indicate who will be working with the data " -"at various stages, and describe their responsibilities.

" +"Do you, your institution or collaborators have an existing data sharing strate" +"gy?" msgstr "" msgid "" -"

Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

-\n" -"

Once a researcher is granted access to the " -"RDC they must take an Oath of Secrecy – promising never to disclose conf" -"idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

-\n" -"

Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statistics Act and complies with all legal require" -"ments. The confidential microdata for this project cannot be shared, posted, o" -"r copied. Access to the data is available through the RDC program. More inform" -"ation on how to access data is available here in English or French.

-\n" -"

In general, research ethics clearance is no" -"t required for research conducted in the RDC. A statement from the CRDCN on th" -"e topic is available here in English or French.

" +"

What types of data will you collect, create, link to, acquire and/or record" +" in each of the different stages of the systematic review?

" msgstr "" msgid "" -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." +"Where will you deposit your data for long-term preservation and sharing at the" +" end of your research project?" msgstr "" -msgid "" -"

Provide information about how you will make" -" your data available and/or discoverable to the broader community.

" +msgid "What type(s) of data will be produced and in what format(s)?" msgstr "" -msgid "What types of data will you collect, create, link to, acquire and/or record?" +msgid "What data will you be sharing and in what form?" msgstr "" msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future?" +"Are there any ethical or legal concerns related to your data that you will nee" +"d to address? Are there any ownership or intellectual property concerns that c" +"ould limit if/how you can share your research outputs?" msgstr "" msgid "" -"What are the anticipated storage requirements for your project, in terms of st" -"orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " -"you will be storing it?" +"Identify who will be responsible for managing data during and after the projec" +"t. Indicate the major data management tasks for which they will be responsible" +"." msgstr "" msgid "" -"Where will you deposit your data for long-term preservation and access at the " -"end of your research project?" +"Who will be responsible for data management? Will the Principal Investigator (" +"PI) hold all responsibility during and beyond the project, or will this be div" +"ided among a team or partner organizations?" msgstr "" msgid "" -"What data will you be sharing and in what form? (e.g. raw, processed, analyzed" -", final)." +"What support material and documentation (e.g. ReadMe) will your team members a" +"nd future researchers need in order to navigate and reuse your data without am" +"biguity?" msgstr "" msgid "" -"Identify who will be responsible for managing this project's data during and a" -"fter the project and the major data management tasks for which they will be re" -"sponsible." +"List your anticipated storage needs (e.g., hard drives, cloud storage, shared " +"drives). List how long you intend to use each type and what capacities you may" +" require." msgstr "" msgid "" -"If your research project includes sensitive data, how will you ensure that it " -"is securely managed and accessible only to approved members of the project?" +"How will your data (both raw and cleaned) be made accessible beyond the scope " +"of the project and by researchers outside your team?" msgstr "" msgid "" -"What types of data will you be collecting?" +"

Are there institutional, governmental or legal policies that you need to co" +"mply with in regards to your data standards?

" msgstr "" msgid "" -"How will you document the changes you make to " -"your data on a regular basis?" +"

Describe the types of data, and potential data sources, to be acquired duri" +"ng the course of your study.

" msgstr "" msgid "" -"What information about your research would som" -"eone need to know to reuse or interpret your data?" +"How will you document your methods in order to" +" support reproducibility?" msgstr "" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"What are the storage requirements needed for y" -"our data?" +"How and where will your data be stored and bac" +"ked up during your research project? " msgstr "" msgid "" -"Where will data be stored after the p" -"roject is complete?" +"How will you store and retain your data after " +"the active phase of data collection? For how long will you need to keep your d" +"ata?" msgstr "" msgid "" -"How is the informed consent process carried ou" -"t in your study? " +"How will you share data from this study with t" +"he scientific community? How open can you make it? Describe whether you plan t" +"o share your data publicly, make it available in a repository with restricted " +"access, or offer it by request only." msgstr "" msgid "" -"What financial resources will you require for " -"data management in this study?" +"Identify who will be responsible for managing " +"this project's data during and after the project and the major data management" +" tasks for which they will be responsible." msgstr "" msgid "" -"Who are the likely users/benefitters of your d" -"ata?" +"

Please provide the name and a web link for " +"the research ethics board (REB) that is responsible for reviewing and overseei" +"ng the legal and ethical compliance of this study. Give the file identifier of" +" the REB application.

" msgstr "" msgid "" -"What software/technology will be created in th" -"is study?" +"Give details about the sources of data, equipm" +"ent used, and data formats produced for your project. " msgstr "" msgid "" -"What information would be required for someone" -" to understand and reuse your software/technology?" +"What documentation will be needed for the data to be read and interpreted corr" +"ectly in the future? Document key details of methods pertaining to data and me" +"tadata here." msgstr "" msgid "" -"How will the software/technology be updated an" -"d maintained over time?" +"What form of encryption is used, if any, with " +"data transfer and data storage? " msgstr "" msgid "" -"Who will own the copyright to the software/tec" -"hnology?" +"What data will be preserved for the long-term?" +"" msgstr "" msgid "" -"Who will have access to your software/technolo" -"gy throughout the project? Describe each collaborator’s responsibilities" -" in relation to having access to the data." +"What data will you be sharing and in what form" +"? (e.g. raw, processed, analyzed, final)" msgstr "" msgid "" -"Who are the intended users of your software/te" -"chnology?" +"Describe your succession plan, indicating the " +"procedures to be followed and the actions to be taken to ensure the continuati" +"on of the data management if significant changes in personnel occur. " msgstr "" msgid "" -"How will you document the changes you make to " -"your data on a regular basis during the data analysis phase?" +"If human imaging data are acquired, how will t" +"he data be anonymized? Will any defacing techniques be used?" msgstr "" msgid "" -"What information would be required for someone" -" else to understand and reuse your data?" +"What will you do to ensure that your research data contributions (syntax, outp" +"ut etc…) in your RDC project folder and (if applicable) your external a" +"nalysis are properly documented, organized and accessible?" msgstr "" msgid "" -"How will the informed consent process be carri" -"ed out within your study?" +"Will you deposit your syntax and other researc" +"h data in a repository to host your syntax files publicly? If so, please descr" +"ibe here:" msgstr "" msgid "" -"Who are the intended users of your data?" +"If you feel there are any additional sharing a" +"nd reuse concerns related to your project please describe them here:" msgstr "" msgid "" -"What types of data will you create and/or collect? What methods, arts-based an" -"d otherwise, will you use?" +"

In addition to the data management employed" +" by Statistics Canada, it is possible for researchers to have research output " +"that does not contain confidential data, including tables, syntax and other in" +"formation, released from the RDC where it could be curated in a repository of " +"the researcher’s choosing as described in question 5. If you plan to do " +"any supplemental storage or curation of your research data, please comment on " +"where the responsibility for curation and maintenance of the archive resides.<" +"/span>

\n" +"

Will any resources be required for this curation and maintenance? If so, pl" +"ease estimate the overall data management costs.

" msgstr "" msgid "" -"What metadata will you create to ensure your data can be interpreted and reuse" -"d in the future?" +"If you feel there are any additional legal or " +"ethical requirements for your project please describe them here." msgstr "" -msgid "" -"How much storage space will you need for digital data during your project? How" -" long will you store them?" +msgid "test area" msgstr "" -msgid "What are your preservation needs for your digital data?" +msgid "" +"What file formats will your data be collected in? Will these formats allow for" +" data re-use, sharing and long-term access to the data?" msgstr "" -msgid "What types of data will you share and in what form?" +msgid "" +"How will you make sure that documentation is created or captured consistently " +"throughout your project?" msgstr "" msgid "" -"Who will be responsible for research data management during and after your pro" -"ject? What will their tasks be?" +"How and where will your data be stored and backed up during your research proj" +"ect?" msgstr "" msgid "" -"Are there policies that outline requirements and/or best practices pertaining " -"to your research data management?" +"Indicate how you will ensure your data is preservation ready. Consider preserv" +"ation-friendly file formats, ensuring file integrity, anonymization and de-ide" +"ntification, inclusion of supporting documentation." msgstr "" -msgid "" -"Are there any research data management policie" -"s in place that outline requirements and/or best practice guidance regarding t" -"he management of your data? If so, provide details and, if helpful, URL links " -"to these policies. " +msgid "Have you considered what type of end-user license to include with your data?" msgstr "" msgid "" -"Describe the type(s) of data that you will collect, including all survey, inte" -"rview and/or focus group data. If there are any additional types of data that " -"will be collected or generated describe these as well." +"How will responsibilities for managing data activities be handled if substanti" +"ve changes happen in the personnel overseeing the project's data, including a " +"change of Principal Investigator?" msgstr "" msgid "" -"Describe any documentation and metadata that will be used in order to ensure t" -"hat data are able to be read and understood both during the active phases of t" -"he project and in the future." +"If applicable, what strategies will you undertake to address secondary uses of" +" sensitive data?" msgstr "" msgid "" -"Describe where, how, and for how long data wil" -"l be securely stored during the act" -"ive phases of the research project" -". If any data are to be collected through the use of electronic platforms, acc" -"ount for their usage within your data storage description. Include a descripti" -"on of any policies and procedures that will be in place to ensure that data ar" -"e regularly backed-up." +"Will you be using any existing data from exter" +"nal sources or previous research?" msgstr "" msgid "" -"Describe how you will ensure that your data is" -" preservation ready, including the file format(s) that they will be preserved " -"in and. Explain how you will prevent da" -"ta from being lost while processing and converting files." +"What software will you be using to support you" +"r data analysis?" msgstr "" msgid "" -"Describe what data you will be sharing, includ" -"ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" -"/span>" +"Are there metadata standards which you could u" +"se to describe your data?" msgstr "" msgid "" -"Who will be responsible for data management du" -"ring the project (i.e., during collection, processing, analysis, documentation" -")? Identify staff and organizational roles and their responsibilities for carr" -"ying out the data management plan (DMP), including time allocations and traini" -"ng requirements." +"Where will your data be stored during the data collection phase?" msgstr "" msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of data, " -"and especially those which are sensitive in nature?" +"Who is responsible for managing the data after" +" the study is complete?" msgstr "" msgid "" -"What types of data, metadata, and scripts will you collect, create, link to, a" -"cquire, record, or generate through the proposed research project?" +"Who holds the intellectual property rights to " +"your data?" msgstr "" msgid "" -"In what file formats will your data be collected and generated? Will these for" -"mats allow for data re-use, sharing and long-term access to the data?" +"Who is the main contact and steward for the da" +"ta collected in this study?" msgstr "" msgid "" -"What information will be needed for the data to be read and interpreted correc" -"tly?" +"What data can/will be shared at the end of the" +" study?" msgstr "" msgid "" -"Please identify the facilities to be used (laboratory, computer, office, clini" -"cal and other) and/or list the organizational resources available to perform t" -"he proposed research. If appropriate, indicate the capacity, pertinent capabil" -"ities, relative proximity and extent of availability of the resources to the r" -"esearch project." +"What software/technology development framework" +" or model will be used, if any?" msgstr "" -msgid "What will you do to ensure portability and reproducibility of your results?" +msgid "" +"What documentation will you develop to help ot" +"hers write and run tests on your software/technology?" msgstr "" msgid "" -"What will be the potential impact of the data within the immediate field and i" -"n other fields, and any broader societal impact?" +"Describe the level of risk associated with the" +" use of public web services/infrastructure/databases regarding their stability" +" and sustainability." msgstr "" msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
-\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
Data Creation Methodolo" -"gy
(if" -" the data are produced as part of the project)
(e.g., surveys and qualita" -"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy concerns befo" -"re being made available to researchers. In cases where the information will be" -" collected directly by the principal researcher, you should avoid disclosing a" -"ny information that could identify a living person such as ethnic origin, pers" -"onal beliefs, personal orientation, health status, etc. without permission. Fo" -"r further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format). -\n" -"
Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
(The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
" +"What software/technology license will you choo" +"se?" msgstr "" msgid "" -"What documentation is required to correctly read and interpret the research da" -"ta?" +"Who is responsible for reviewing and accepting" +" each software/technology release?" msgstr "" msgid "" -"

Describe the storage conditions for your research data taking into account " -"the following aspects:

-\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Master file and backup" -" copiesFo" -"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" -"tored on 2 types of media (e.g. institutional server + external drive), and 1 " -"copy kept in an off-site location.

Each storage medium has advanta" -"ges and disadvantages. If needed, consult a resource person or conta" -"ct the DMP Coordinator at support@p" -"ortagenetwork.ca. Find more information on storage and backup practices at" -" UK Data Serv" -"ice.
Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
Anticipated storage dur" -"ation(e." -"g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
Is the access to this r" -"esearch data restricted? If " -"applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
Who can access the dat" -"a?De" -"scribe functional roles.

To " -"make sure your research data is transmitted in a secure manner or through serv" -"ers governed by Canadian or provincial legislation, either contact your institution’s library<" -"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
" +"What software/technology will be shared at the" +" end of the study?" msgstr "" msgid "" -"Describe the research data that requires long-term preservation by considering" -" the following aspects:

-\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Preservation reason(e.g. heritage value; value for one or m" -"ultiple research communities; public interest; policy requirement)
Preservation formatSee recommendations of" -" the Library of Congress. Note that converting from one file format to another for p" -"reservation purposes may result in loss of information. This type of operation" -" must be mentioned in the Documenta" -"tion and Metadata section.<" -"/td> -\n" -"
" +"What data will be shared at the end of the stu" +"dy?" msgstr "" msgid "" -"

For each research dataset reported as containing sensitive data, identify t" -"he security issues that need to be considered to protect the privacy and confi" -"dentiality within your team.

" +"Do you plan to use datasets published by others? Where will you collect them f" +"rom?" +msgstr "" + +msgid "What metadata standard will you use?" +msgstr "" + +msgid "How and where will you store and back up digital data during your project?" +msgstr "" + +msgid "Where will you preserve your research data for the long-term, if needed?" msgstr "" msgid "" -"

Describe each research dataset that will be shared with other researchers o" -"r a broader audience while taking into account the following considerations: -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Is it sensitive data?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Is the research data subject" -" to intellectual property?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Sharing requirementIt depen" -"ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
Target audience (e.g. hi" -"story researchers, researchers from various disciplines, general public)
" +"Will you need to share some data with restricted access? What restrictions wil" +"l you apply?" msgstr "" msgid "" -"For all research data management activities, consider who is responsible (indi" -"vidual or organization), based on what timeframe, whether staff training is re" -"quired, and whether there are costs associated with these tasks." +"If responsibility for research data management needs to be transferred to othe" +"r individuals or organizations, who will assume responsibility and how?" msgstr "" msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
-\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Data Source(e.g. the Archives of Ontario)
If the data will be produced as part of the project, indicate this.
Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
Data Creation Methodolo" -"gy
(if" -" the data are produced as part of the project)
(e.g., surveys and qualita" -"tive interviews or focus groups)
Data Producer
Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy reasons befor" -"e being made available to researchers. In cases where the information will be " -"collected directly by the principal researcher, you should avoid disclosing an" -"y information that could identify a living person such as ethnic origin, perso" -"nal beliefs, personal orientation, health status, etc. without permission. For" -" further guidance, see the Human Research Data Risk Matrix.
Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
(The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format). -\n" -"
Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
(The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
Will the dataset require updates?
If so, make sure to properly and timely document " -"this process in the Documentation and Metadata section.
" +"What ethical and legal issues will affect your data? How will you address them" +"?" msgstr "" msgid "" -"

Describe the storage conditions for your research data taking into account " -"the following aspects:

-\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Master file and backup" -" copiesFo" -"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" -"tored on 2 types of media (e.g. institutional server + external drive), and 1 " -"copy kept in an off-site location.

Each storage medium has advanta" -"ges and disadvantages. If needed, consult a resource person or conta" -"ct the DMP Coordinator at support@p" -"ortagenetwork.ca. Find more information on storage and backup practices at" -" UK Data Serv" -"ice.
Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
Anticipated storage dur" -"ation(e." -"g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
Is the access to this r" -"esearch data restricted? If " -"applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
Who can access the dat" -"a?De" -"scribe functional roles.

To " -"make sure your research data is transmitted in a secure manner or through serv" -"ers governed by Canadian or provincial legislation, either contact your institution’s library<" -"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
-\n" -"



" +"Are there any existing data that you can re-use and that will provide insight " +"or answer any of your research questions? If so, please explain how you will o" +"btain these data and integrate them into your research project." msgstr "" msgid "" -"

For each research dataset reported as containing sensitive data (see Resear" -"ch Data Collection section), explain how this data will be safely mana" -"ged to protect the privacy and confidentiality within your team.

" +"Describe the file naming conventions that will be used in order to support qua" +"lity assurance and version-control of your files and to help others understand" +" how your data are organized." msgstr "" msgid "" -"

Describe each research dataset that will be shared with other researchers o" -"r a broader audience while taking into account the following considerations: -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -" -"\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
Is it sensitive data?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Is the research data subject" -" to intellectual property?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
Sharing requirementIt depen" -"ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
Target audience (e.g. hi" -"story researchers, researchers from various disciplines, general public)
Data processing level Describe in what forma" -"t the data is shared, i.e. raw, processed, analyzed, or final, or whether only" -" metadata can be shared. These processi" -"ng level options are not mutually exclusive.
-\n" -"
    -\n" -"
  • Raw: data obtained directly from the field or an interview.
  • -" -"\n" -"
  • Processed: operations performed to make data ready for analysis or to de" -"-identify individuals.
  • -\n" -"
  • Analyzed: data resulting from a qualitative or quantitative analysis fol" -"lowing a methodology and a conceptual framework.
  • -\n" -"
  • Final: research data prepared for its preservation.
  • -\n" -"
  • Metadata: information describing research data.
  • -\n" -"
-\n" -"
User licenceThe holder of the rese" -"arch data intellectual property should grant a licence that clarifies how the " -"research data may be used. The most commonly used licences are Creative" -" Commons licences and Open" -" Data Commons licences. Please note" -" that once a licence is granted, even if it is subsequently changed, the use o" -"f data obtained under the former licence cannot be prevented.
Required softwareIf applicable, indicat" -"e the name and version of the software required to access research data.
" +"Describe how members of the research team will" +" securely access and work with data during the active phases of the research p" +"roject. " msgstr "" msgid "" -"Which RDC datasets will be used in the researc" -"h?" +"Describe where you will preserve your data for" +" long-term preservation, including any research data repositories that you may" +" be considering to use. If there are any costs associated with the preservatio" +"n of your data, include those details." msgstr "" msgid "" -"What will you do to ensure that your research " -"data contributions (syntax, output etc…) in your RDC project folder and" -" (if applicable) your external analysis are properly documented, organized and" -" accessible? " +"Describe whether there will be any restriction" +"s placed on your data when they are made available and who may access them. If" +" data are not openly available, describe the process for gaining access" +"." msgstr "" msgid "" -"What are the anticipated storage requirements " -"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" -"s, etc.) and the length of time you will be storing it?" +"How will responsibilities for managing data ac" +"tivities be handled if substantive changes happen in the personnel overseeing " +"the project's data, including a change of Principal Investigator?" msgstr "" msgid "" -"Will you deposit your syntax and other researc" -"h data in a repository to preserve your files? Please describe your intended p" -"reservation of all research data here, noting how you will deal with any priva" -"cy concerns related to your supplemental/external data:" +"How will you manage legal, ethical, and intell" +"ectual property issues?" msgstr "" msgid "" -"

Outside of the data sharing/reuse that happ" -"ens automatically within your project folder, what data will you be sharing, w" -"here, and in what form (e.g. raw, processed, analyzed, final)?

" +"If you are using a metadata standard and/or tools to document and describe you" +"r data, please list them here. Explain the rationale for the selection of thes" +"e standards." msgstr "" msgid "" -"For the supplemental/external data, identify who will be responsible for managing thi" -"s project's data during and after the project and the major data management ta" -"sks for which they will be responsible.
" +"What will be the primary production computing platform(s) (e.g., compute clust" +"ers, virtual clusters)?" msgstr "" msgid "" -"If your research project includes sensitive da" -"ta, how will you ensure that it is securely managed and accessible only to app" -"roved members of the project?" +"If your project includes sensitive data, how will you ensure that it is secure" +"ly managed and accessible only to approved members of the project?" msgstr "" -msgid "Why are you collecting or generating your data?" +msgid "" +"Explain how the research data will be organized to facilitate understanding of" +" its organization." msgstr "" -msgid "Does your project include sensitive data?" +msgid "" +"What is the total cost for storage space in the active and semi-active phase o" +"f the project?" msgstr "" msgid "" -"What file formats will your data be in? Will these formats allow for data re-u" -"se, sharing and long-term access to the data? If not, how will you convert the" -"se into interoperable formats?" +"

Where will the research data be stored at the end of the research project?<" +"/p>" msgstr "" msgid "" -"Who will be responsible for managing this project's data during and after the " -"project, and for what major data management tasks will they be responsible?" +"If research data sharing is desired and possible, what difficulties do you ant" +"icipate in dealing with the secondary use of sensitive data?" msgstr "" msgid "" -"Do you, your institution or collaborators have an existing data sharing strate" -"gy?" +"Décrire la stratégie de diffusion envisagée pour faire co" +"nnaître l’existence du matériel de recherche auprès " +"de ses publics." +msgstr "" + +msgid "What is an overall cost estimate for the management of research materials?" msgstr "" msgid "" -"

What types of data will you collect, create, link to, acquire and/or record" -" in each of the different stages of the systematic review?

" +"What documentation strategy will enable you to regularly document the research" +" data throughout the project?" msgstr "" msgid "" -"Where will you deposit your data for long-term preservation and sharing at the" -" end of your research project?" +"If research data sharing is desired and possible, what strategies will" +" you implement to address the secondary use of sensitive data?" msgstr "" -msgid "What type(s) of data will be produced and in what format(s)?" +msgid "" +"Describe the proposed dissemination strategy to communicate the existence of t" +"he research data to its target audiences." msgstr "" -msgid "What data will you be sharing and in what form?" +msgid "Describe your succession plan to deal with significant disruptions." msgstr "" msgid "" -"Are there any ethical or legal concerns related to your data that you will nee" -"d to address? Are there any ownership or intellectual property concerns that c" -"ould limit if/how you can share your research outputs?" +"Please describe the collection process for the" +" supplemental or external data that will be part of your project." msgstr "" msgid "" -"Identify who will be responsible for managing data during and after the projec" -"t. Indicate the major data management tasks for which they will be responsible" -"." +"How will you make sure that the syntax archive" +"d in your project folder (and if applicable that created for your external ana" +"lysis) is created consistently throughout your project?" msgstr "" msgid "" -"Who will be responsible for data management? Will the Principal Investigator (" -"PI) hold all responsibility during and beyond the project, or will this be div" -"ided among a team or partner organizations?" +"How and where will your data be stored and bac" +"ked up during your research project?" msgstr "" msgid "" -"What support material and documentation (e.g. ReadMe) will your team members a" -"nd future researchers need in order to navigate and reuse your data without am" -"biguity?" +"What type of end-user license will these share" +"d data fall under?" msgstr "" msgid "" -"List your anticipated storage needs (e.g., hard drives, cloud storage, shared " -"drives). List how long you intend to use each type and what capacities you may" -" require." +"For the supplemental/external data, how will r" +"esponsibilities for managing data activities be handled if substantive changes" +" happen in the personnel overseeing the project's data, including a change of " +"Principal Investigator?" msgstr "" msgid "" -"How will your data (both raw and cleaned) be made accessible beyond the scope " -"of the project and by researchers outside your team?" +"If applicable, what strategies will you undert" +"ake to address secondary uses of sensitive data?" msgstr "" msgid "" -"

Are there institutional, governmental or legal policies that you need to co" -"mply with in regards to your data standards?

" +"What types of data will you collect, create, link to, acquire and/or record? P" +"lease be specific, including:" msgstr "" msgid "" -"

Describe the types of data, and potential data sources, to be acquired duri" -"ng the course of your study.

" +"

What conventions and procedures will you use to structure, name and version" +"-control your files to help you and others better understand how your data are" +" organized?

" msgstr "" -msgid "" -"How will you document your methods in order to" -" support reproducibility?" +msgid "

How will you describe samples collected?

" msgstr "" msgid "" -"How and where will your data be stored and bac" -"ked up during your research project? " +"

How and where will your data be stored and backed up during your research p" +"roject?

" msgstr "" -msgid "" -"How will you store and retain your data after " -"the active phase of data collection? For how long will you need to keep your d" -"ata?" +msgid "Are there restrictions on sharing due to ethics or legal constraints?" msgstr "" msgid "" -"How will you share data from this study with t" -"he scientific community? How open can you make it? Describe whether you plan t" -"o share your data publicly, make it available in a repository with restricted " -"access, or offer it by request only." +"

What file formats will your data be collected in? Will these formats allow " +"for data re-use, sharing and long-term access to the data?

" msgstr "" msgid "" -"Identify who will be responsible for managing " -"this project's data during and after the project and the major data management" -" tasks for which they will be responsible." +"Indicate how you will ensure your data is preservation ready. Consider preserv" +"ation-friendly file formats, file integrity, and the inclusion of supporting d" +"ocumentation." msgstr "" msgid "" -"

Please provide the name and a web link for " -"the research ethics board (REB) that is responsible for reviewing and overseei" -"ng the legal and ethical compliance of this study. Give the file identifier of" -" the REB application.

" +"Does this project involve the use or analysis of secondary data? What is the d" +"ata-sharing arrangement for these data?" msgstr "" msgid "" -"Give details about the sources of data, equipm" -"ent used, and data formats produced for your project. " +"How will you make sure that documentation is created or captured consistently " +"throughout your project? What approaches will be employed by the research team" +" to access, modify, and contribute data throughout the project?" msgstr "" msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future? Document key details of methods pertaining to data and me" -"tadata here." +"What steps will be taken to help the research community know that your researc" +"h data exist?" msgstr "" msgid "" -"What form of encryption is used, if any, with " -"data transfer and data storage? " +"In the event that the PI leaves the project, who will replace them? Who will t" +"ake temporary responsibility until a new PI takes over?" msgstr "" msgid "" -"What data will be preserved for the long-term?" -"" +"Answer the following regarding file formats:
\n" +"
    \n" +"
  1. What file formats do you expect to collect" +" (e.g. .doc, .csv, .jpg, .mov)?
  2. \n" +"
  3. Are these file formats easy to share with " +"other researchers from different disciplines?
  4. \n" +"
  5. In the event that one of your chosen file " +"formats becomes obsolete (or is no longer supported) how will you ensure acces" +"s to the research data?
  6. \n" +"
  7. Does your data need to be copied to a new " +"media or cloud platform, or converted to a different file format when you stor" +"e or publish your datasets?
  8. \n" +"
" msgstr "" msgid "" -"What data will you be sharing and in what form" -"? (e.g. raw, processed, analyzed, final)" +"How will you undertake documentation of data collection, processing and analys" +"is, within your workflow to create consistent support material? Who will be re" +"sponsible for this task?" msgstr "" msgid "" -"Describe your succession plan, indicating the " -"procedures to be followed and the actions to be taken to ensure the continuati" -"on of the data management if significant changes in personnel occur. " +"What is your anticipated backup and storage schedule? How often will you save " +"your data, in what formats, and where?" msgstr "" msgid "" -"If human imaging data are acquired, how will t" -"he data be anonymized? Will any defacing techniques be used?" +"Is digital preservation a component of your pr" +"oject and do you need to plan for long-term archiving and preservation?" msgstr "" msgid "" -"What will you do to ensure that your research data contributions (syntax, outp" -"ut etc…) in your RDC project folder and (if applicable) your external a" -"nalysis are properly documented, organized and accessible?" +"Will you encounter protected or personally-identifiable information in your re" +"search? If so, how will you make sure it stays secure and is accessed by appro" +"ved team members only?" msgstr "" msgid "" -"Will you deposit your syntax and other researc" -"h data in a repository to host your syntax files publicly? If so, please descr" -"ibe here:" +"What are the anticipated storage requirements " +"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" +"s, etc.)?" msgstr "" msgid "" -"If you feel there are any additional sharing a" -"nd reuse concerns related to your project please describe them here:" +"If the project includes sensitive data, how wi" +"ll you ensure that it is securely managed and accessible only to approved memb" +"ers of the project?" msgstr "" msgid "" -"

In addition to the data management employed" -" by Statistics Canada, it is possible for researchers to have research output " -"that does not contain confidential data, including tables, syntax and other in" -"formation, released from the RDC where it could be curated in a repository of " -"the researcher’s choosing as described in question 5. If you plan to do " -"any supplemental storage or curation of your research data, please comment on " -"where the responsibility for curation and maintenance of the archive resides.<" -"/span>

-\n" -"

Will any resources be required for this curation and maintenance? If so, pl" -"ease estimate the overall data management costs.

" +"What conventions, methods, and standards will " +"be used to structure, name and version-control your files to help you and othe" +"rs better understand how your data are organized? In other words, what types o" +"f metadata are being stored alongside the acquisition data? Ex: BIDS, NIDM.
" msgstr "" msgid "" -"If you feel there are any additional legal or " -"ethical requirements for your project please describe them here." +"

If you are using a data management applicat" +"ion to manage data, please name which system. Describe the features of the app" +"lication that are important for this project in particular (ex. provenance tra" +"cking, versioning, QC, longitudinal design).

" msgstr "" msgid "" -"What file formats will your data be collected in? Will these formats allow for" -" data re-use, sharing and long-term access to the data?" +"What type of repository or storage service are you considering as the host of " +"your shared data?" msgstr "" msgid "" -"How will you make sure that documentation is created or captured consistently " -"throughout your project?" +"If external data are used in this study, pleas" +"e provide the data license & data use agreement. " msgstr "" msgid "" -"How and where will your data be stored and backed up during your research proj" -"ect?" +"How will you make sure that the syntax archive" +"d in your project folder is created consistently throughout your project?" msgstr "" msgid "" -"Indicate how you will ensure your data is preservation ready. Consider preserv" -"ation-friendly file formats, ensuring file integrity, anonymization and de-ide" -"ntification, inclusion of supporting documentation." +"

Is there any other preservation that will b" +"e done as part of this research project? If so, please describe here." msgstr "" -msgid "Have you considered what type of end-user license to include with your data?" +msgid "test checkout" msgstr "" msgid "" -"How will responsibilities for managing data activities be handled if substanti" -"ve changes happen in the personnel overseeing the project's data, including a " -"change of Principal Investigator?" +"What conventions and procedures will you use to structure, name and version-co" +"ntrol your files to help you and others better understand how your data are or" +"ganized?" msgstr "" msgid "" -"If applicable, what strategies will you undertake to address secondary uses of" -" sensitive data?" +"If you are using a metadata standard and/or tools to document and describe you" +"r data, please list here." msgstr "" msgid "" -"Will you be using any existing data from exter" -"nal sources or previous research?" +"How will the research team and other collaborators access, modify, and contrib" +"ute data throughout the project?" msgstr "" msgid "" -"What software will you be using to support you" -"r data analysis?" +"What steps will be taken to help the research community know that your data ex" +"ists?" msgstr "" msgid "" -"Are there metadata standards which you could u" -"se to describe your data?" +"What resources will you require to implement your data management plan? What d" +"o you estimate the overall cost for data management to be?" msgstr "" -msgid "" -"Where will your data be stored during the data collection phase?" +msgid "How will you manage legal, ethical, and intellectual property issues?" msgstr "" msgid "" -"Who is responsible for managing the data after" -" the study is complete?" +"What data collection instrument or scales will" +" you use to collect the data?" msgstr "" msgid "" -"Who holds the intellectual property rights to " -"your data?" +"What file formats will your data analysis file" +"s be saved in?" msgstr "" msgid "" -"Who is the main contact and steward for the da" -"ta collected in this study?" +"Who is the target population being investigate" +"d?" msgstr "" msgid "" -"What data can/will be shared at the end of the" -" study?" +"Where will your data be stored during the data analysis phase?" msgstr "" msgid "" -"What software/technology development framework" -" or model will be used, if any?" +"Will your data be migrated to preservation for" +"mats?" msgstr "" msgid "" -"What documentation will you develop to help ot" -"hers write and run tests on your software/technology?" +"What ethical guidelines or restraints are appl" +"icable to your data?" msgstr "" msgid "" -"Describe the level of risk associated with the" -" use of public web services/infrastructure/databases regarding their stability" -" and sustainability." +"Who will have access to your data throughout t" +"he project? " msgstr "" msgid "" -"What software/technology license will you choo" -"se?" +"What restrictions are placed on your data that" +" would prohibit it from being made publicly available?" msgstr "" msgid "" -"Who is responsible for reviewing and accepting" -" each software/technology release?" +"Will you utilize any existing code to develop " +"this software/technology? " msgstr "" msgid "" -"What software/technology will be shared at the" -" end of the study?" +"How will you track changes to code and depende" +"ncies?" msgstr "" msgid "" -"What data will be shared at the end of the stu" -"dy?" +"Are there restrictions on how you can share yo" +"ur software/technology related to patents, copyright, or intellectual property" +"?" msgstr "" msgid "" -"Do you plan to use datasets published by others? Where will you collect them f" -"rom?" +"Where will your data be stored during the data analysis phase?" msgstr "" -msgid "What metadata standard will you use?" +msgid "" +"What ethical guidelines or constraints are app" +"licable to your data?" msgstr "" -msgid "How and where will you store and back up digital data during your project?" +msgid "" +"Who will have access to your data throughout t" +"he project? Describe each collaborator’s responsibilities in relation to" +" having access to the data." msgstr "" -msgid "Where will you preserve your research data for the long-term, if needed?" +msgid "" +"What restrictions are placed on your data that" +" would limit public data sharing?" msgstr "" msgid "" -"Will you need to share some data with restricted access? What restrictions wil" -"l you apply?" +"How will you digitally document artwork, artistic processes, and other non-dig" +"ital data? What conditions, hardware, software, and skills will you need?" msgstr "" -msgid "" -"If responsibility for research data management needs to be transferred to othe" -"r individuals or organizations, who will assume responsibility and how?" +msgid "How will you consistently create metadata during your project?" msgstr "" -msgid "" -"What ethical and legal issues will affect your data? How will you address them" -"?" +msgid "How will you store non-digital data during your project?" msgstr "" -msgid "" -"Are there any existing data that you can re-use and that will provide insight " -"or answer any of your research questions? If so, please explain how you will o" -"btain these data and integrate them into your research project." +msgid "How will you ensure your digital data is preservation ready?" msgstr "" msgid "" -"Describe the file naming conventions that will be used in order to support qua" -"lity assurance and version-control of your files and to help others understand" -" how your data are organized." +"Who owns the data you will use in your project? Will the ownership of these da" +"ta affect their sharing and reuse?" msgstr "" msgid "" -"Describe how members of the research team will" -" securely access and work with data during the active phases of the research p" -"roject. " +"What resources will you need to implement your data management plan? How much " +"will they cost?" msgstr "" msgid "" -"Describe where you will preserve your data for" -" long-term preservation, including any research data repositories that you may" -" be considering to use. If there are any costs associated with the preservatio" -"n of your data, include those details." +"If your project includes sensitive data, how will you ensure they are securely" +" managed and accessible only to approved individuals during your project?" msgstr "" msgid "" -"Describe whether there will be any restriction" -"s placed on your data when they are made available and who may access them. If" -" data are not openly available, describe the process for gaining access" -"." +"

It is important to identify and understand " +"as early as possible the methods which you will employ in collecting your data" +" to ensure that they will support your needs, including supporting the secure " +"collection of sensitive data if applicable.

\n" +"

Describe the method(s) that you will use to" +" collect your data.

" msgstr "" msgid "" -"How will responsibilities for managing data ac" -"tivities be handled if substantive changes happen in the personnel overseeing " -"the project's data, including a change of Principal Investigator?" +"Describe how you will ensure that documentatio" +"n and metadata are created, captured and, if necessary, updated consistently t" +"hroughout the research project." msgstr "" msgid "" -"How will you manage legal, ethical, and intell" -"ectual property issues?" +"Describe how much storage space you will requi" +"re during the active phases of the research project, being sure to take into a" +"ccount file versioning and data growth." +"" msgstr "" msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list them here. Explain the rationale for the selection of thes" -"e standards." +"What type of end-user license will you include" +" with your data? " msgstr "" msgid "" -"What will be the primary production computing platform(s) (e.g., compute clust" -"ers, virtual clusters)?" +"What resources will you require to implement y" +"our data management plan? What do you estimate the overall cost for data manag" +"ement to be?" msgstr "" -msgid "" -"If your project includes sensitive data, how will you ensure that it is secure" -"ly managed and accessible only to approved members of the project?" +msgid "What are the technical details of each of the computational resources?" msgstr "" msgid "" -"Explain how the research data will be organized to facilitate understanding of" -" its organization." +"Describe how digital files will be named and how their version(s) will be cont" +"rolled to facilitate understanding of this organization." msgstr "" msgid "" -"What is the total cost for storage space in the active and semi-active phase o" -"f the project?" +"What are the costs related to the choice of deposit location and data preparat" +"ion?" msgstr "" msgid "" -"

Where will the research data be stored at the end of the research project?<" -"/p>" +"Are there legal and intellectual property issues that will limit the opening o" +"f data?" msgstr "" msgid "" -"If research data sharing is desired and possible, what difficulties do you ant" -"icipate in dealing with the secondary use of sensitive data?" +"If applicable, indicate the metadata schema and tools used to document researc" +"h data." msgstr "" msgid "" -"Décrire la stratégie de diffusion envisagée pour faire co" -"nnaître l’existence du matériel de recherche auprès " -"de ses publics." -msgstr "" - -msgid "What is an overall cost estimate for the management of research materials?" +"Des coûts sont-ils associés au choix du lieu de dépô" +"t et à la préparation des données?" msgstr "" msgid "" -"What documentation strategy will enable you to regularly document the research" -" data throughout the project?" +"What file formats will the supplementary data " +"be collected and processed in? Will these formats permit sharing and long-term" +" access to the data? How will you structure, name and version these files in a" +" way easily understood by others?" msgstr "" msgid "" -"If research data sharing is desired and possible, what strategies will" -" you implement to address the secondary use of sensitive data?" +"

Please provide the information about the av" +"ailability of the metadata for your project here (both the RDC data and your e" +"xternal data). Some metadata for RDC datasets is available by contacting the R" +"DC analyst.

\n" +"

How will you ensure that the external/suppl" +"emental data are easily understood and correctly documented (including metadat" +"a)?

" msgstr "" msgid "" -"Describe the proposed dissemination strategy to communicate the existence of t" -"he research data to its target audiences." +"How will the research team and other collabora" +"tors access, modify, and contribute data throughout the project?" msgstr "" -msgid "Describe your succession plan to deal with significant disruptions." +msgid "" +"What steps will you take to help the research " +"community know that these data exist?" msgstr "" msgid "" -"Please describe the collection process for the" -" supplemental or external data that will be part of your project." +"For the supplemental/external data, what resou" +"rces will you require to implement your data management plan for all your rese" +"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " +"overall cost for data management to be?" msgstr "" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder (and if applicable that created for your external ana" -"lysis) is created consistently throughout your project?" +"

Where are you collecting or generating your data (i.e., study area)? Includ" +"e as appropriate the spatial boundaries, water source type and watershed name." +"

" msgstr "" -msgid "" -"How and where will your data be stored and bac" -"ked up during your research project?" +msgid "

How will you analyze and interpret the water quality data?

" msgstr "" msgid "" -"What type of end-user license will these share" -"d data fall under?" +"How will the research team and other collaborators access, modify and contribu" +"te data throughout the project? How will data be shared?" msgstr "" msgid "" -"For the supplemental/external data, how will r" -"esponsibilities for managing data activities be handled if substantive changes" -" happen in the personnel overseeing the project's data, including a change of " -"Principal Investigator?" +"What data will you be sharing and in what form? (e.g., raw, processed, analyze" +"d, final)." msgstr "" msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of sensitive data?" +"What tools, devices, platforms, and/or software packages will be used to gener" +"ate and manipulate data during the project?" msgstr "" msgid "" -"What types of data will you collect, create, link to, acquire and/or record? P" -"lease be specific, including:" +"

If you are using a metadata standard and/or online tools to document and de" +"scribe your data, please list them here.

" msgstr "" msgid "" -"

What conventions and procedures will you use to structure, name and version" -"-control your files to help you and others better understand how your data are" -" organized?

" +"If you will use your own code or software in this project, describe your strat" +"egies for sharing it with other researchers." msgstr "" -msgid "

How will you describe samples collected?

" +msgid "" +"List all expected resources for data management required to complete your proj" +"ect. What hardware, software and human resources will you need? What is your e" +"stimated budget?" msgstr "" msgid "" -"

How and where will your data be stored and backed up during your research p" -"roject?

" +"Answer the following regarding naming conventions:
\n" +"
    \n" +"
  1. How will you structure, name and version-c" +"ontrol your files to help someone outside your research team understand how yo" +"ur data are organized?
  2. \n" +"
  3. Describe your ideal workflow for file shar" +"ing between research team members step-by-step.
  4. \n" +"
  5. What tools or strategies will you use to d" +"ocument your workflow as it evolves during the course of the project? \n" +"
" msgstr "" -msgid "Are there restrictions on sharing due to ethics or legal constraints?" +msgid "Do you plan to use a metadata standard? What specific schema might you use?" msgstr "" msgid "" -"

What file formats will your data be collected in? Will these formats allow " -"for data re-use, sharing and long-term access to the data?

" +"Keeping ethics protocol review requirements in mind, what is your intended sto" +"rage timeframe for each type of data (raw, processed, clean, final) within you" +"r team? Will you also store software code or metadata?" msgstr "" msgid "" -"Indicate how you will ensure your data is preservation ready. Consider preserv" -"ation-friendly file formats, file integrity, and the inclusion of supporting d" -"ocumentation." +"What data will you be sharing publicly and in " +"what form (e.g. raw, processed, analyzed, final)?" msgstr "" msgid "" -"Does this project involve the use or analysis of secondary data? What is the d" -"ata-sharing arrangement for these data?" +"Before publishing or otherwise sharing a datas" +"et are you required to obscure identifiable data (name, gender, date of birth," +" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" +"re there any time restrictions for when data can be publicly accessible?" msgstr "" -msgid "" -"How will you make sure that documentation is created or captured consistently " -"throughout your project? What approaches will be employed by the research team" -" to access, modify, and contribute data throughout the project?" +msgid "What anonymization measures are taken during data collection and storage?" msgstr "" msgid "" -"What steps will be taken to help the research community know that your researc" -"h data exist?" +"Indicate how you will ensure your data, and an" +"y accompanying materials (such as software, analysis scripts, or other tools)," +" are preservation ready. " msgstr "" msgid "" -"In the event that the PI leaves the project, who will replace them? Who will t" -"ake temporary responsibility until a new PI takes over?" +"Have you considered what type of end-user lice" +"nse to include with your data?" msgstr "" msgid "" -"Answer the following regarding file formats:
-\n" -"
    -\n" -"
  1. What file formats do you expect to collect" -" (e.g. .doc, .csv, .jpg, .mov)?
  2. -\n" -"
  3. Are these file formats easy to share with " -"other researchers from different disciplines?
  4. -\n" -"
  5. In the event that one of your chosen file " -"formats becomes obsolete (or is no longer supported) how will you ensure acces" -"s to the research data?
  6. -\n" -"
  7. Does your data need to be copied to a new " -"media or cloud platform, or converted to a different file format when you stor" -"e or publish your datasets?
  8. -\n" -"
" +"Do any other legal, ethical, and intellectual " +"property issues require the creation of any special documents that should be s" +"hared with the data, e.g., a LICENSE.txt file?" msgstr "" msgid "" -"How will you undertake documentation of data collection, processing and analys" -"is, within your workflow to create consistent support material? Who will be re" -"sponsible for this task?" +"Some metadata is available by contacting the R" +"DC analyst. Is the metadata for the data to be used in your analysis available" +" outside of the RDC? Please provide the information about the availability of " +"the metadata for your project here." msgstr "" msgid "" -"What is your anticipated backup and storage schedule? How often will you save " -"your data, in what formats, and where?" +"

If you are using a metadata standard and/or tools to document and describe " +"your data, please list here.

" msgstr "" msgid "" -"Is digital preservation a component of your pr" -"oject and do you need to plan for long-term archiving and preservation?" +"Is your data collected longitudinally or at a " +"single point in time?" msgstr "" msgid "" -"Will you encounter protected or personally-identifiable information in your re" -"search? If so, how will you make sure it stays secure and is accessed by appro" -"ved team members only?" +"What coding scheme or methodology will you use" +" to analyze your data?" msgstr "" -msgid "" -"What are the anticipated storage requirements " -"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" -"s, etc.)?" +msgid "How is the population being sampled?" msgstr "" msgid "" -"If the project includes sensitive data, how wi" -"ll you ensure that it is securely managed and accessible only to approved memb" -"ers of the project?" +"What backup measures will be implemented to en" +"sure the safety of your data?" msgstr "" msgid "" -"What conventions, methods, and standards will " -"be used to structure, name and version-control your files to help you and othe" -"rs better understand how your data are organized? In other words, what types o" -"f metadata are being stored alongside the acquisition data? Ex: BIDS, NIDM." +"How long do you intend to keep your data after" +" the project is complete?" msgstr "" msgid "" -"

If you are using a data management applicat" -"ion to manage data, please name which system. Describe the features of the app" -"lication that are important for this project in particular (ex. provenance tra" -"cking, versioning, QC, longitudinal design).

" +"What legal restraints are applicable to your d" +"ata (e.g., ownership)?" msgstr "" msgid "" -"What type of repository or storage service are you considering as the host of " -"your shared data?" +"Will any new members be added or responsibilit" +"ies be transferred over the course of the study?" msgstr "" -msgid "" -"If external data are used in this study, pleas" -"e provide the data license & data use agreement. " +msgid "Where will you share your data?" msgstr "" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder is created consistently throughout your project?" +"What test cases will you use to develop the so" +"ftware/technology?" msgstr "" msgid "" -"

Is there any other preservation that will b" -"e done as part of this research project? If so, please describe here." +"Where will you share your software/technology?" +"" msgstr "" msgid "" -"What conventions and procedures will you use to structure, name and version-co" -"ntrol your files to help you and others better understand how your data are or" -"ganized?" +"What code you will be generating that should a" +"ccompany the data analysis file(s)?" msgstr "" -msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list here." +msgid "What file formats will your data be created and/or collected in?" msgstr "" msgid "" -"How will the research team and other collaborators access, modify, and contrib" -"ute data throughout the project?" +"How will your research team and others transfer, access, and/or modify data du" +"ring your project?" msgstr "" -msgid "" -"What steps will be taken to help the research community know that your data ex" -"ists?" +msgid "What are your preservation needs for your non-digital data?" msgstr "" -msgid "" -"What resources will you require to implement your data management plan? What d" -"o you estimate the overall cost for data management to be?" +msgid "What type of end-user license will you include with your data?" msgstr "" -msgid "How will you manage legal, ethical, and intellectual property issues?" +msgid "" +"If you will share sensitive data, what issues do you need to address? How will" +" you address them?" msgstr "" msgid "" -"What data collection instrument or scales will" -" you use to collect the data?" +"If interview and/or focus group audio recordings will be transcribed, describe" +" how this will securely occur, including if it will be performed internally to" +" the research team or externally (outsourced), and/or if any software and/or e" +"lectronic platforms or services will be used for transcribing." msgstr "" msgid "" -"What file formats will your data analysis file" -"s be saved in?" +"Describe any metadata standard(s) and/or tools" +" that you will use to support the describing and documenting of your data. " msgstr "" msgid "" -"Who is the target population being investigate" -"d?" +"What large-scale data analysis framework (and associated technical specificati" +"ons) will be used?" msgstr "" -msgid "" -"Where will your data be stored during the data analysis phase?" +msgid "Under what licence do you plan to release your data?" msgstr "" msgid "" -"Will your data be migrated to preservation for" -"mats?" +"Where will you deposit your data and software for preservation and access at t" +"he end of your research project?" msgstr "" msgid "" -"What ethical guidelines or restraints are appl" -"icable to your data?" +"Describe the quality assurance process in place to ensure data quality and com" +"pleteness during data operations (observation, recording, processing, analysis" +")." msgstr "" msgid "" -"Who will have access to your data throughout t" -"he project? " +"If you feel there are any other legal or ethic" +"al requirements for your project please describe them here:" msgstr "" msgid "" -"What restrictions are placed on your data that" -" would prohibit it from being made publicly available?" +"Are you using third party data? If so, describe the source of the data includi" +"ng the owner, database or repository DOIs or accession numbers." msgstr "" -msgid "" -"Will you utilize any existing code to develop " -"this software/technology? " +msgid "How will you manage other legal, ethical, and intellectual property issues?" msgstr "" msgid "" -"How will you track changes to code and depende" -"ncies?" +"

What kind of Quality Assurance/Quality Control procedures are you planning " +"to do?

" msgstr "" msgid "" -"Are there restrictions on how you can share yo" -"ur software/technology related to patents, copyright, or intellectual property" -"?" +"Will you deposit your data for long-term preservation and access at the end of" +" your research project? Please indicate any repositories that you will use." msgstr "" msgid "" -"Where will your data be stored during the data analysis phase?" +"Describe the data flow through the entire project. What steps will you take to" +" increase the likelihood that your results will be reproducible?" msgstr "" msgid "" -"What ethical guidelines or constraints are app" -"licable to your data?" +"

Which data (research and computational outputs) will be retained after the " +"completion of the project? Where will your research data be archived for the l" +"ong-term? Describe your strategies for long-term data archiving.

" msgstr "" msgid "" -"Who will have access to your data throughout t" -"he project? Describe each collaborator’s responsibilities in relation to" -" having access to the data." +"How will you make sure that a) your primary data collection methods are docume" +"nted with transparency and b) your secondary data sources (i.e., data you did " +"not collect yourself) — are easily identified and cited?" msgstr "" msgid "" -"What restrictions are placed on your data that" -" would limit public data sharing?" +"Have you considered what type of end-user lice" +"nse to include with your data? " msgstr "" msgid "" -"How will you digitally document artwork, artistic processes, and other non-dig" -"ital data? What conditions, hardware, software, and skills will you need?" +"What is the time frame over which you are coll" +"ecting data?" msgstr "" -msgid "How will you consistently create metadata during your project?" +msgid "" +"What quality assurance measures will be implem" +"ented to ensure the accuracy and integrity of the data? " msgstr "" -msgid "How will you store non-digital data during your project?" +msgid "Is the population being weighted?" msgstr "" -msgid "How will you ensure your digital data is preservation ready?" +msgid "" +"If your data contains confidential information" +", how will your storage method ensure the protection of this data?" msgstr "" msgid "" -"Who owns the data you will use in your project? Will the ownership of these da" -"ta affect their sharing and reuse?" +"What procedures are in place to destroy the da" +"ta after the retention period is complete?" msgstr "" msgid "" -"What resources will you need to implement your data management plan? How much " -"will they cost?" +"What methods will be used to manage the risk o" +"f disclosure of participant information?" msgstr "" msgid "" -"If your project includes sensitive data, how will you ensure they are securely" -" managed and accessible only to approved individuals during your project?" +"If you have collected restricted data, what st" +"eps would someone requesting your data need to follow in order to access it?" msgstr "" msgid "" -"

It is important to identify and understand " -"as early as possible the methods which you will employ in collecting your data" -" to ensure that they will support your needs, including supporting the secure " -"collection of sensitive data if applicable.

-\n" -"

Describe the method(s) that you will use to" -" collect your data.

" +"How will your software/technology and document" +"ation adhere to disability and/or accessibility guidelines?" msgstr "" msgid "" -"Describe how you will ensure that documentatio" -"n and metadata are created, captured and, if necessary, updated consistently t" -"hroughout the research project." +"What quality assurance measures will be implem" +"ented over the course of the study?" msgstr "" -msgid "" -"Describe how much storage space you will requi" -"re during the active phases of the research project, being sure to take into a" -"ccount file versioning and data growth." -"" +msgid "What are the variables being studied? " msgstr "" msgid "" -"What type of end-user license will you include" -" with your data? " +"What file naming conventions will you use in y" +"our study?" msgstr "" msgid "" -"What resources will you require to implement y" -"our data management plan? What do you estimate the overall cost for data manag" -"ement to be?" +"What steps will you take to destroy the data a" +"fter the retention period is complete?" msgstr "" -msgid "What are the technical details of each of the computational resources?" +msgid "" +"What practices will you use to structure, name, and version-control your files" +"?" msgstr "" msgid "" -"Describe how digital files will be named and how their version(s) will be cont" -"rolled to facilitate understanding of this organization." +"Are there data you will need or choose to destroy? If so, how will you destroy" +" them securely?" msgstr "" -msgid "" -"What are the costs related to the choice of deposit location and data preparat" -"ion?" +msgid "How will researchers, artists, and/or the public find your data?" msgstr "" msgid "" -"Are there legal and intellectual property issues that will limit the opening o" -"f data?" +"Describe how your data will be securely transferred, including from data colle" +"ction devices/platforms and, if applicable, to/from transcriptionists." msgstr "" msgid "" -"If applicable, indicate the metadata schema and tools used to document researc" -"h data." +"What software tools will be utilized and/or developed for the proposed researc" +"h?" msgstr "" -msgid "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +msgid "Under what licence do you plan to release your software?" msgstr "" -msgid "" -"What file formats will the supplementary data " -"be collected and processed in? Will these formats permit sharing and long-term" -" access to the data? How will you structure, name and version these files in a" -" way easily understood by others?" +msgid "What software code will you make available, and where?" msgstr "" -msgid "" -"

Please provide the information about the av" -"ailability of the metadata for your project here (both the RDC data and your e" -"xternal data). Some metadata for RDC datasets is available by contacting the R" -"DC analyst.

-\n" -"

How will you ensure that the external/suppl" -"emental data are easily understood and correctly documented (including metadat" -"a)?

" +msgid "What steps will you take to ensure your data is prepared for preservation?" msgstr "" msgid "" -"How will the research team and other collabora" -"tors access, modify, and contribute data throughout the project?" +"What tools and strategies will you take to promote your research? How will you" +" let the research community and the public know that your data exists and is r" +"eady to be reused?" msgstr "" msgid "" -"What steps will you take to help the research " -"community know that these data exist?" +"What is the geographic location within the con" +"text of the phenomenon/experience where data will be gathered?" msgstr "" msgid "" -"For the supplemental/external data, what resou" -"rces will you require to implement your data management plan for all your rese" -"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " -"overall cost for data management to be?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study?" msgstr "" msgid "" -"

Where are you collecting or generating your data (i.e., study area)? Includ" -"e as appropriate the spatial boundaries, water source type and watershed name." -"

" +"What file naming conventions will be used to s" +"ave your data?" msgstr "" -msgid "

How will you analyze and interpret the water quality data?

" +msgid "" +"What license will you apply to your data?" msgstr "" msgid "" -"How will the research team and other collaborators access, modify and contribu" -"te data throughout the project? How will data be shared?" +"What dependencies will be used in the developm" +"ent of this software/technology?" msgstr "" msgid "" -"What data will you be sharing and in what form? (e.g., raw, processed, analyze" -"d, final)." +"What is the setting and geographic location of" +" where the data is being gathered?" msgstr "" msgid "" -"What tools, devices, platforms, and/or software packages will be used to gener" -"ate and manipulate data during the project?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study that may be unclear to others?" msgstr "" msgid "" -"

If you are using a metadata standard and/or online tools to document and de" -"scribe your data, please list them here.

" +"Describe all of the file formats that your data will exist in, including for t" +"he various versions of both survey and qualitative interview/focus group data." +" Will these formats allow for data re-use, sharing and long-term access to the" +" data?" msgstr "" msgid "" -"If you will use your own code or software in this project, describe your strat" -"egies for sharing it with other researchers." +"What metadata/documentation do you need to provide for others to use your soft" +"ware?" msgstr "" -msgid "" -"List all expected resources for data management required to complete your proj" -"ect. What hardware, software and human resources will you need? What is your e" -"stimated budget?" +msgid "Describe your software sustainability plan." msgstr "" msgid "" -"Answer the following regarding naming conventions:
-\n" -"
    -\n" -"
  1. How will you structure, name and version-c" -"ontrol your files to help someone outside your research team understand how yo" -"ur data are organized?
  2. -\n" -"
  3. Describe your ideal workflow for file shar" -"ing between research team members step-by-step.
  4. -\n" -"
  5. What tools or strategies will you use to d" -"ocument your workflow as it evolves during the course of the project? -\n" -"
" +"

List any metadata standard(s) and/or tools you will use to document and des" +"cribe your data:

" msgstr "" -msgid "Do you plan to use a metadata standard? What specific schema might you use?" +msgid "What type of end-user license will you use for your data?" msgstr "" msgid "" -"Keeping ethics protocol review requirements in mind, what is your intended sto" -"rage timeframe for each type of data (raw, processed, clean, final) within you" -"r team? Will you also store software code or metadata?" +"What steps will be involved in the data collec" +"tion process?" msgstr "" msgid "" -"What data will you be sharing publicly and in " -"what form (e.g. raw, processed, analyzed, final)?" +"What are the steps involved in the data collec" +"tion process?" msgstr "" msgid "" -"Before publishing or otherwise sharing a datas" -"et are you required to obscure identifiable data (name, gender, date of birth," -" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" -"re there any time restrictions for when data can be publicly accessible?" +"If the metadata standard will be modified, please explain how you will modify " +"the standard to meet your needs." msgstr "" -msgid "What anonymization measures are taken during data collection and storage?" +msgid "" +"What software programs will you use to collect" +" the data?" msgstr "" msgid "" -"Indicate how you will ensure your data, and an" -"y accompanying materials (such as software, analysis scripts, or other tools)," -" are preservation ready. " +"How will you make sure that metadata is created or captured consistently throu" +"ghout your project?" msgstr "" msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data?" +"What file formats will you be generating durin" +"g the data collection phase?" msgstr "" msgid "" -"Do any other legal, ethical, and intellectual " -"property issues require the creation of any special documents that should be s" -"hared with the data, e.g., a LICENSE.txt file?" +"What are the technical details of each of the storage and file systems you wil" +"l use during the active management of the research project?" msgstr "" -msgid "" -"Some metadata is available by contacting the R" -"DC analyst. Is the metadata for the data to be used in your analysis available" -" outside of the RDC? Please provide the information about the availability of " -"the metadata for your project here." +msgid "What do you estimate the overall cost of managing your data will be?" msgstr "" msgid "" -"

If you are using a metadata standard and/or tools to document and describe " -"your data, please list here.

" +"

Examples: numeric, images, audio, video, text, tabular data, modeling data," +" spatial data, instrumentation data.

" msgstr "" msgid "" -"Is your data collected longitudinally or at a " -"single point in time?" +"

Proprietary file formats requiring specialized software or hardware to use " +"are not recommended, but may be necessary for certain data collection or analy" +"sis methods. Using open file formats or industry-standard formats (e.g. those " +"widely used by a given community) is preferred whenever possible.

\n" +"

Read more about file formats: UBC Library or UK Data Service.

" msgstr "" msgid "" -"What coding scheme or methodology will you use" -" to analyze your data?" +"

It is important to keep track of different copies or versions of files, fil" +"es held in different formats or locations, and information cross-referenced be" +"tween files. This process is called 'version control'.

\n" +"

Logical file structures, informative naming conventions, and clear indicati" +"ons of file versions, all contribute to better use of your data during and aft" +"er your research project.  These practices will help ensure that you and " +"your research team are using the appropriate version of your data, and minimiz" +"e confusion regarding copies on different computers and/or on different media." +"

\n" +"

Read more about file naming and version control: UBC" +" Library or UK Data Service.

" msgstr "" -msgid "How is the population being sampled?" +msgid "" +"

Typically, good documentation includes information about the study, data-le" +"vel descriptions, and any other contextual information required to make the da" +"ta usable by other researchers.  Other elements you should document, as applic" +"able, include: research methodology used, variable definitions, vocabularies, " +"classification systems, units of measurement, assumptions made, format and fil" +"e type of the data, a description of the data capture and collection methods, " +"explanation of data coding and analysis performed (including syntax files), an" +"d details of who has worked on the project and performed each task, etc.

" msgstr "" msgid "" -"What backup measures will be implemented to en" -"sure the safety of your data?" +"

Consider how you will capture this information and where it will be recorde" +"d, ideally in advance of data collection and analysis, to ensure accuracy, con" +"sistency, and completeness of the documentation.  Often, resources you've alre" +"ady created can contribute to this (e.g. publications, websites, progress repo" +"rts, etc.).  It is useful to consult regularly with members of the research te" +"am to capture potential changes in data collection/processing that need to be " +"reflected in the documentation.  Individual roles and workflows should include" +" gathering data documentation as a key element.

" msgstr "" msgid "" -"How long do you intend to keep your data after" -" the project is complete?" +"

There are many general and domain-specific metadata standards.  Dataset doc" +"umentation should be provided in one of these standard, machine readable, open" +"ly-accessible formats to enable the effective exchange of information between " +"users and systems.  These standards are often based on language-independent da" +"ta formats such as XML, RDF, and JSON. There are many metadata standards based" +" on these formats, including discipline-specific standards.

Read more a" +"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" msgstr "" msgid "" -"What legal restraints are applicable to your d" -"ata (e.g., ownership)?" +"

Storage-space estimates should take into account requirements for file vers" +"ioning, backups, and growth over time. 

If you are collecting data ove" +"r a long period (e.g. several months or years), your data storage and backup s" +"trategy should accommodate data growth. Similarly, a long-term storage plan is" +" necessary if you intend to retain your data after the research project.

" msgstr "" msgid "" -"Will any new members be added or responsibilit" -"ies be transferred over the course of the study?" +"

The risk of losing data due to human error, natural disasters, or other mis" +"haps can be mitigated by following the 3-2-1 backup rule:

\n" +"
    \n" +"
  • Have at least three copies of your data.
  • \n" +"
  • Store the copies on two different media.
  • \n" +"
  • Keep one backup copy offsite
  • \n" +"
\n" +"

Data may be stored using optical or magnetic media, which can be removable " +"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" +"orked (e.g. networked drives or cloud-based servers). Each storage method has " +"benefits and drawbacks that should be considered when determining the most app" +"ropriate solution.

\n" +"

Further information on storage and backup practices is available from the <" +"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" +"noopener\">University of Sheffield Library and the UK Dat" +"a Service.

" msgstr "" -msgid "Where will you share your data?" +msgid "" +"

An ideal solution is one that facilitates co-operation and ensures data sec" +"urity, yet is able to be adopted by users with minimal training. Transmitting " +"data between locations or within research teams can be challenging for data ma" +"nagement infrastructure. Relying on email for data transfer is not a robust or" +" secure solution. Third-party commercial file sharing services (such as Google" +" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" +"manent or secure, and are often located outside Canada. Please contact your Li" +"brary to develop the best solution for your research project.

" msgstr "" msgid "" -"What test cases will you use to develop the so" -"ftware/technology?" +"

The issue of data retention should be considered early in the research life" +"cycle. Data-retention decisions can be driven by external policies (e.g. fund" +"ing agencies, journal publishers), or by an understanding of the enduring valu" +"e of a given set of data. The need to preserve data in the short-term (i.e. f" +"or peer-verification purposes) or long-term (for data of lasting value), will " +"influence the choice of data repository or archive. A helpful analogy is to t" +"hink of creating a 'living will' for the data, that is, a plan describing how " +"future researchers will have continued access to the data.

If you need a" +"ssistance locating a suitable data repository or archive, please contact your " +"Library.

re3data.org is a directory of potential open data repositories. Verify whether or not t" +"he data repository will provide a statement agreeing to the terms of deposit o" +"utlined in your Data Management Plan.

" msgstr "" msgid "" -"Where will you share your software/technology?" -"" +"

Some data formats are optimal for long-term preservation of data. For examp" +"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" +".csv'), are considered preservation-friendly. The UK Data Service provides a u" +"seful table of file formats for various types of data. Keep in mind that prese" +"rvation-friendly files converted from one format to another may lose informati" +"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " +"so changes to file formats should be documented.

\n" +"

Identify steps required following project completion in order to ensure the" +" data you are choosing to preserve or share is anonymous, error-free, and conv" +"erted to recommended formats with a minimal risk of data loss.

\n" +"

Read more about anonymization: UBC Library<" +"/a> or UK Data Service.

" msgstr "" msgid "" -"What code you will be generating that should a" -"ccompany the data analysis file(s)?" +"

Raw data are the data directly obtained from the instrument, simulat" +"ion or survey.

Processed data result from some manipulation of th" +"e raw data in order to eliminate errors or outliers, to prepare the data for a" +"nalysis, to derive new variables, or to de-identify the human participants.

Analyzed data are the the results of qualitative, statistical, or " +"mathematical analysis of the processed data. They can be presented as graphs, " +"charts or statistical tables.

Final data are processed data that " +"have, if needed, been converted into a preservation-friendly format.

Con" +"sider which data may need to be shared in order to meet institutional or fundi" +"ng requirements, and which data may be restricted because of confidentiality/p" +"rivacy/intellectual property considerations.

" msgstr "" -msgid "What file formats will your data be created and/or collected in?" +msgid "" +"

Licenses determine what uses can be made of your data. Funding agencies and" +"/or data repositories may have end-user license requirements in place; if not," +" they may still be able to guide you in the development of a license. Once cre" +"ated, please consider including a copy of your end-user license with your Data" +" Management Plan. Note that only the intellectual property rights holder(s) c" +"an issue a license, so it is crucial to clarify who owns those rights.

" +"There are several types of standard licenses available to researchers, such as" +" the Creative Com" +"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" +"sier to use a standard license rather than to devise a custom-made one. Note t" +"hat even if you choose to make your data part of the public domain, it is pref" +"erable to make this explicit by using a license such as Creative Commons' CC0" +".

Read more about data licensing: UK Digital Curation Cent" +"re.

" msgstr "" msgid "" -"How will your research team and others transfer, access, and/or modify data du" -"ring your project?" +"

Possibilities include: data registries, repositories, indexes, word-of-mout" +"h, publications.

How will the data be accessed (Web service, ftp, etc.)?" +" If possible, choose a repository that will assign a persistent identifier (su" +"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " +"and make it retrievable by various discovery tools.

One of the best ways" +" to refer other researchers to your deposited datasets is to cite them the sam" +"e way you cite other types of publications (articles, books, proceedings). The" +" Digital Curation Centre provides a detailed guide on data citation.No" +"te that some data repositories also create links from datasets to their associ" +"ated papers, thus increasing the visibility of the publications.

Contact" +" your Library for assistance in making your dataset visible and easily accessi" +"ble.

Reused from NIH. (2009). Key Elements to Cons" +"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" +"al Institutes of Health.

" msgstr "" -msgid "What are your preservation needs for your non-digital data?" +msgid "" +"

Your data management plan has identified important data activities in your " +"project. Identify who will be responsible -- individuals or organizations -- f" +"or carrying out these parts of your data management plan. This could also incl" +"ude the timeframe associated with these staff responsibilities and any trainin" +"g needed to prepare staff for these duties.

" msgstr "" -msgid "What type of end-user license will you include with your data?" +msgid "" +"

Indicate a succession strategy for these data in the event that one or more" +" people responsible for the data leaves (e.g. a graduate student leaving after" +" graduation). Describe the process to be followed in the event that the Princi" +"pal Investigator leaves the project. In some instances, a co-investigator or t" +"he department or division overseeing this research will assume responsibility." +"

" msgstr "" msgid "" -"If you will share sensitive data, what issues do you need to address? How will" -" you address them?" +"

This estimate should incorporate data management costs incurred during the " +"project as well as those required for the longer-term support for the data aft" +"er the project is finished. Items to consider in the latter category of expens" +"es include the costs of curating and providing long-term access to the data. S" +"ome funding agencies state explicitly the support that they will provide to me" +"et the cost of preparing data for deposit. This might include technical aspect" +"s of data management, training requirements, file storage & backup, and contri" +"butions of non-project staff.

" msgstr "" msgid "" -"If interview and/or focus group audio recordings will be transcribed, describe" -" how this will securely occur, including if it will be performed internally to" -" the research team or externally (outsourced), and/or if any software and/or e" -"lectronic platforms or services will be used for transcribing." +"

Consider where, how, and to whom sensitive data with acknowledged long-term" +" value should be made available, and how long it should be archived. These dec" +"isions should align with Research Ethics Board requirements. The methods used " +"to share data will be dependent on a number of factors such as the type, size," +" complexity and degree of sensitivity of data. Outline problems anticipated in" +" sharing data, along with causes and possible measures to mitigate these. Prob" +"lems may include confidentiality, lack of consent agreements, or concerns abou" +"t Intellectual Property Rights, among others. In some instances, an embargo pe" +"riod may be justified; these may be defined by a funding agency's policy on re" +"search data.

Reused from: DCC. (2013). Checklist for a Data Management" +" Plan. v.4.0. Edinburgh: Digital Curation Centre

Restrictions can be" +" imposed by limiting physical access to storage devices, by placing data on co" +"mputers that do not have external network access (i.e. access to the Internet)" +", through password protection, and by encrypting files. Sensitive data should" +" never be shared via email or cloud storage services such as Dropbox.

" msgstr "" msgid "" -"Describe any metadata standard(s) and/or tools" -" that you will use to support the describing and documenting of your data. " +"

Obtaining the appropriate consent from research participants is an importan" +"t step in assuring Research Ethics Boards that the data may be shared with res" +"earchers outside your project. The consent statement may identify certain cond" +"itions clarifying the uses of the data by other researchers. For example, it m" +"ay stipulate that the data will only be shared for non-profit research purpose" +"s or that the data will not be linked with personally identified data from oth" +"er sources.

\n" +"

Read more about data security: UK Data Service

" msgstr "" msgid "" -"What large-scale data analysis framework (and associated technical specificati" -"ons) will be used?" +"

Compliance with privacy legislation and laws that may impose content restri" +"ctions in the data should be discussed with your institution's privacy officer" +" or research services office. Research Ethics Boards are central to the resear" +"ch process.

Include here a description concerning ownership, licensing, " +"and intellectual property rights of the data. Terms of reuse must be clearly s" +"tated, in line with the relevant legal and ethical requirements where applicab" +"le (e.g., subject consent, permissions, restrictions, etc.).

" msgstr "" -msgid "Under what licence do you plan to release your data?" +msgid "" +"

The University of Guelph Library's Data Resource Centre provides d" +"ata collection and creation support including support for the design and creat" +"ion of web surveys and access to data resources including numeric and geospati" +"al databases.

\n" +"

The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" +"oved academic staff and students can securely access detailed microdata and ad" +"ministrative datasets from Statistics Canada.

\n" +"

For more information, contact us at lib.research@uoguelph.ca.

" msgstr "" msgid "" -"Where will you deposit your data and software for preservation and access at t" -"he end of your research project?" +"

The University of Guelph Library provides training and support related to <" +"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" +"-management/training-support\" target=\"_blank\">Research Data Management. Pl" +"ease contact us at l" +"ib.research@uoguelph.ca for more information.

" msgstr "" msgid "" -"Describe the quality assurance process in place to ensure data quality and com" -"pleteness during data operations (observation, recording, processing, analysis" -")." -msgstr "" - -msgid "" -"If you feel there are any other legal or ethic" -"al requirements for your project please describe them here:" -msgstr "" - -msgid "" -"Are you using third party data? If so, describe the source of the data includi" -"ng the owner, database or repository DOIs or accession numbers." -msgstr "" - -msgid "How will you manage other legal, ethical, and intellectual property issues?" -msgstr "" - -msgid "" -"

What kind of Quality Assurance/Quality Control procedures are you planning " -"to do?

" +"

Please see Organising Information for more information regarding developing a s" +"trategy for how you will manage your project files throughout the research pro" +"cess including directory structure, file naming conventions and versioning. \n" +"

Please contact us at lib.research@uoguelph.ca for additional support.

" msgstr "" msgid "" -"Will you deposit your data for long-term preservation and access at the end of" -" your research project? Please indicate any repositories that you will use." +"

The University of Guelph Library has created a Data Management Planning Checklist wh" +"ich can be used to identify and keep track of the data management practices th" +"at you will utilize throughout the data life-cycle, including what information" +" and tools will be used to document your work.

\n" +"

For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

" msgstr "" msgid "" -"Describe the data flow through the entire project. What steps will you take to" -" increase the likelihood that your results will be reproducible?" +"

Review Documenting Your Work for more information regarding creating and trackin" +"g metadata throughout the research process.

\n" +"

Please contact us at lib.research@uoguelph.ca for additional support.

" msgstr "" msgid "" -"

Which data (research and computational outputs) will be retained after the " -"completion of the project? Where will your research data be archived for the l" -"ong-term? Describe your strategies for long-term data archiving.

" +"

Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" +"ms for more about information about categorising and documenting your data" +" or contact us at li" +"b.research@uoguelph.ca.

" msgstr "" msgid "" -"How will you make sure that a) your primary data collection methods are docume" -"nted with transparency and b) your secondary data sources (i.e., data you did " -"not collect yourself) — are easily identified and cited?" +"

On campus, Computing" +" and Communications Services (CCS) provides support for short-term storage" +" and backup.

\n" +"

Please see " +"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

" msgstr "" msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data? " +"

On campus, Computing" +" and Communications Services (CCS) provides support for file security and " +"encryption.

\n" +"

Information S" +"ecurity services provided through the Office of the CIO, offers encryption" +" and file security training.

\n" +"

Please see " +"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

" msgstr "" msgid "" -"What is the time frame over which you are coll" -"ecting data?" +"

The University of Guelph Library provides support for researchers in determ" +"ining the appropriate method and location for the preservation of data.

\n" +"

We also maintain two research data respositories, the Agri-environmental" +" Research Data Respository and the University of Guelph Research Data Re" +"pository, where University of Guelph researchers can deposit their data th" +"rough a facilitated process.

\n" +"

Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" +"tion.

" msgstr "" msgid "" -"What quality assurance measures will be implem" -"ented to ensure the accuracy and integrity of the data? " -msgstr "" - -msgid "Is the population being weighted?" +"

Please see Pres" +"ervation and " +"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

" msgstr "" msgid "" -"If your data contains confidential information" -", how will your storage method ensure the protection of this data?" +"

Please see Sha" +"ring & Reuse - Conditions for Sharing for more information on licensin" +"g options or contact us at lib.research@uoguelph.ca

" msgstr "" msgid "" -"What procedures are in place to destroy the da" -"ta after the retention period is complete?" +"

The University of Guelph Library offers Resea" +"rch Data Management services that support researchers with the organizatio" +"n, management, dissemination, and preservation of their research data.

\n" +"

Data deposited in the University of Guelph Research Data Repositories is as" +"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" +") to your data. The DOI can be used to cite, improve discovery, track usage an" +"d measure the impact of your data.

\n" +"

Sharing data through a repository can also improve its discovery and dissem" +"ination since repository content is fully indexed and searchable in search eng" +"ines such as Google.

\n" +"

For more information, contact us at lib.research@uoguelph.ca.

" msgstr "" msgid "" -"What methods will be used to manage the risk o" -"f disclosure of participant information?" +"

The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" +"mans (Chapter 5) - D. Consen" +"t and Secondary Use of Identifiable Information for Research Purposes prov" +"ides detailed guidance related to secondary use of research data.

\n" +"

Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" +"ng your data for secondary use including obtaining consent, conditions for sha" +"ring and anonymising data.

" msgstr "" msgid "" -"If you have collected restricted data, what st" -"eps would someone requesting your data need to follow in order to access it?" +"

Researchers should consult the Tri-Council Po" +"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" +"nformation on ethical obligations.

\n" +"

The University of Guelph's Office of Research offers guidance related to&nb" +"sp;Ethics and Regulatory Compliance as well a" +"s Intellectual Property Policy.  \n" +"

The Office of Research also provides resources, training and detailed guida" +"nce related to research involving human participants through the Resear" +"ch Ethics/Protection of Human Participants webpage.

\n" +"

Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

\n" +"

 

\n" +"

 

" msgstr "" msgid "" -"How will your software/technology and document" -"ation adhere to disability and/or accessibility guidelines?" +"

Les Services informatiques ont une offr" +"e de services en soutien à la recherche. Ils peuvent vous aider à" +"; déterminer vos besoins de stockage et à mettre en place l&rsqu" +"o;infrastructure nécessaire à votre projet de recherche.

" msgstr "" msgid "" -"What quality assurance measures will be implem" -"ented over the course of the study?" -msgstr "" - -msgid "What are the variables being studied? " +"

Les Services informatiques peuvent vous" +" assister dans l'élaboration de votre stratégie de sauvegarde." msgstr "" msgid "" -"What file naming conventions will you use in y" -"our study?" +"

Les Services informatiques offrent une solution locale de stockage et de pa" +"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" +"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" +"get=\"_blank\">Service OwnCloud.

\n" +"

Les Services informatiques peuvent de p" +"lus vous aider à mettre au point les stratégies de collaboration" +" et de sécurité entre vos différents espaces de travail.<" +"/p>" msgstr "" msgid "" -"What steps will you take to destroy the data a" -"fter the retention period is complete?" +"

Un professionnel de l’équipe de soutien à la gestion de" +"s données de recherche peut vous aider à identifier des dé" +";pôts pertinents pour vos données: gdr@uqam.ca.

" msgstr "" msgid "" -"What practices will you use to structure, name, and version-control your files" -"?" +"

La Politique de la recherche et de la cr&eacu" +"te;ation (Politique no 10) de l’UQAM souligne que « le par" +"tage des résultats de la recherche et de la création avec la soc" +"iété est une nécessité dans le cadre d’une p" +"olitique de la recherche publique » et que « l’UQAM" +" encourage tous les acteurs de la recherche et de la création et en par" +"ticulier les professeures et les professeurs à diffuser et transf&eacut" +"e;rer les résultats de leurs travaux au sein de la société" +"; ».

\n" +"

La Déclaration de principes des trois organis" +"mes sur la gestion des données numériques n’indique pa" +"s quelles données doivent être partagées. Elle a pour obje" +"ctif « de promouvoir l’excellence dans les pratiques de gestio" +"n et d’intendance des données numériques de travaux de rec" +"herche financés par les organismes ». Il y est décrit" +" de quelle façon la  préservation, la conservation et le pa" +"rtage des données devraient être envisagés. À lire!" +"

\n" +"

Suggestion: Voyez comment protéger vos données sensibles (der" +"nière section du plan: « Conformité aux lois et &agra" +"ve; l’éthique ») et partagez tout ce qui peut l'ê" +";tre, après une analyse coût-bénéfice.

" msgstr "" msgid "" -"Are there data you will need or choose to destroy? If so, how will you destroy" -" them securely?" -msgstr "" - -msgid "How will researchers, artists, and/or the public find your data?" +"

Les Services informatiques peuvent vous" +" aider à déterminer les coûts de l'infrastructure né" +";cessaire à votre projet de recherche.

" msgstr "" msgid "" -"Describe how your data will be securely transferred, including from data colle" -"ction devices/platforms and, if applicable, to/from transcriptionists." +"

Les Services informatiques ont produit un « Guide de bonnes prati" +"ques pour la sécurité informatique des données de recherc" +"he ».

" msgstr "" msgid "" -"What software tools will be utilized and/or developed for the proposed researc" -"h?" -msgstr "" - -msgid "Under what licence do you plan to release your software?" -msgstr "" - -msgid "What software code will you make available, and where?" -msgstr "" - -msgid "What steps will you take to ensure your data is prepared for preservation?" +"

L’équipe de soutien à la gestion des données de " +"recherche peut vous mettre en relation avec des professionnels qualifié" +"s pour vous aider avec les questions d’ordre éthique, juridique e" +"t de propriété intellectuelle: gdr@uqam.ca.

" msgstr "" msgid "" -"What tools and strategies will you take to promote your research? How will you" -" let the research community and the public know that your data exists and is r" -"eady to be reused?" +"

See more about best practices on file formats from the SFU Library.

" msgstr "" msgid "" -"What is the geographic location within the con" -"text of the phenomenon/experience where data will be gathered?" +"

DDI is a common metadata standard for the social sciences. SFU Radar uses D" +"DI Codebook to describe data so other researchers can find it by searching a d" +"iscovery portal like Da" +"taCite.

\n" +"

Read more about metadata standards: UK Digital Curation Centre's Disciplinary" +" Metadata.

" msgstr "" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study?" +"

If paying for an external hosting service, you will need to keep paying for" +" it, or have some migration plan (e.g., depositing the data into a university " +"repository). SFU Vault or services like Sync may be an option f" +"or some projects.

" msgstr "" msgid "" -"What file naming conventions will be used to s" -"ave your data?" +"
\n" +"
In Windows, encryption of your internal disk or USB driv" +"es can be performed by a service called BitLocker. In Mac OSX, disk" +" encryption can be performed by a service called FileVault. Documen" +"tation of these features is available from Microsoft or Apple. Full disk encry" +"ption is also available in Linux. Note that encrypting a USB drive may li" +"mit its usability across devices.
\n" +"
 
\n" +"
Encrypted data is less likely to be " +"seen by an unauthorized person if the laptop/external drive is lost or st" +"olen. It's important to consider that merely \"deleti" +"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" +"ata from the computer, and even “secure deletion” tools are not co" +"mpletely effective on modern disks. Consider what security measures are necessary for han" +"dling sensitive data files and for decommissioning the computer disc " +";at the end of its use. \n" +"
 
\n" +"
\n" +"
For more information about securing sensitive research d" +"ata, consult with SFU's IT Services.
" msgstr "" msgid "" -"What license will you apply to your data?" +"

Consider contacting SFU Library Data Services to develop the best solution for y" +"our research project.

" msgstr "" msgid "" -"What dependencies will be used in the developm" -"ent of this software/technology?" +"

If you need assistance locating a suitable data repository or archive, plea" +"se contact SFU Libr" +"ary Data Services. re3data.or" +"g is a directory of potential open data repositories.

" msgstr "" msgid "" -"What is the setting and geographic location of" -" where the data is being gathered?" +"

Some data formats are optimal for long-term preservation of data. For examp" +"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" +"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" +" preservation-friendly files converted from one format to another may lose inf" +"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" +"ile), so changes to file formats should be documented, and you may want to ret" +"ain original formats, even if they are proprietary.

" msgstr "" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study that may be unclear to others?" +"

There are various creative commons licenses which can be applied to data. <" +"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" +"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" +" at SFU.

" msgstr "" msgid "" -"Describe all of the file formats that your data will exist in, including for t" -"he various versions of both survey and qualitative interview/focus group data." -" Will these formats allow for data re-use, sharing and long-term access to the" -" data?" +"

If possible, choose a repository like the Canadian Federated Research Data " +"Repository, FRDR for short,  that will assign a persistent identifier (such" +" as a DOI) to your dataset. This will ensure a stable access to the dataset an" +"d make it retrievable by various discovery tools. DataCite Search is a discov" +"ery portal for research data. If you deposit in SFU Radar or a repository inde" +"xed in the Re" +"gistry of Research Data Repositories, your records will appear in the port" +"al's keyword search results.

" msgstr "" msgid "" -"What metadata/documentation do you need to provide for others to use your soft" -"ware?" +"

If you need advice on identifying potential support, contact data-services@" +"sfu.ca

" msgstr "" -msgid "Describe your software sustainability plan." +msgid "" +"

Decisions relevant to data retention and storage should align with SFU's Of" +"fice of Research Ethics requirements.

" msgstr "" msgid "" -"

List any metadata standard(s) and/or tools you will use to document and des" -"cribe your data:

" +"

SFU's Office of Research Ethics' consent statement shou" +"ld be consulted when working with human participants.

\n" +"

The Interuniversity Consortium f" +"or Political and Social Research (ISPSR) and the Australian National Data Service<" +"/a> also provide examples of informed consent language for data sharing.

" msgstr "" -msgid "What type of end-user license will you use for your data?" +msgid "" +"

The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" +"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" +"e of personal information collected in research projects. This does not mean, " +"however, that sensitive information collected as part of your research does no" +"t need to be safeguarded. Please refer to University Ethics Review (R 20." +"01).

\n" +"

IP issues should be clarified at the commencement of your research proj" +"ect so that all collaborators have a mutual understanding of ownership, to pre" +"vent potential conflict later.

" msgstr "" msgid "" -"What steps will be involved in the data collec" -"tion process?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

For more information on file formats, see Concordia Library’s Research data management guide.

\n" +"
" msgstr "" msgid "" -"What are the steps involved in the data collec" -"tion process?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

For more information on metadata standards, see Concordia Library’s Re" +"search data management guide

\n" +"
" msgstr "" msgid "" -"If the metadata standard will be modified, please explain how you will modify " -"the standard to meet your needs." +"

For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact the Concordia " +"IT Research Support Team.

" msgstr "" msgid "" -"What software programs will you use to collect" -" the data?" +"

For more information on data storage and backup, see Concordia Library&rsqu" +"o;s Research data management guide.

\n" +"

For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

" msgstr "" msgid "" -"How will you make sure that metadata is created or captured consistently throu" -"ghout your project?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

Datasets containing sensitive data or data files larger than 15MB should no" +"t be transferred via email.

\n" +"

Please contact Concordia's IT Research Support Team for the exchan" +"ge of files with external organizations or for assistance with other issues re" +"lated to network services (connectivity with other external research centers o" +"r for high capacity, high volume data transfers).  

\n" +"
" msgstr "" msgid "" -"What file formats will you be generating durin" -"g the data collection phase?" +"

For more information on data archiving options, see Concordia Library&rsquo" +";s Research data management guide.

" msgstr "" msgid "" -"What are the technical details of each of the storage and file systems you wil" -"l use during the active management of the research project?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

For more information, please contact copyright.questions@concordia.ca

\n" +"
" msgstr "" -msgid "What do you estimate the overall cost of managing your data will be?" +msgid "" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

Although there are no absolute rules to determine the cost of data curation" +", some guidelines and tools have been developed to help researchers estimate t" +"hese costs. See for instance the information and tool " +"provided by the UK Data Service.

\n" +"

Another version of this t" +"ool, with examples of actual costs (in Euros), was developed by librarians" +" and IT staff at Utrecht University.

\n" +"

For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact Concordia's IT" +" Research Support Team.

\n" +"
" msgstr "" msgid "" -"

Examples: numeric, images, audio, video, text, tabular data, modeling data," -" spatial data, instrumentation data.

" +"

The answer to this question must be in line with Concordia University&rsquo" +";s Policy for the Ethic" +"al Review of Research Involving Human Participants.

\n" +"

The information provided here may be useful in completing section 13 (confi" +"dentiality, access, and storage) of the Summary Protoc" +"ol Form (SPF) for research involving human participants.

\n" +"

For technical assistance, please contact Concordia's IT Research Suppo" +"rt Team.

\n" +"

For questions concerning ethics, Concordia's Offi" +"ce of Research.

" msgstr "" msgid "" -"

Proprietary file formats requiring specialized software or hardware to use " -"are not recommended, but may be necessary for certain data collection or analy" -"sis methods. Using open file formats or industry-standard formats (e.g. those " -"widely used by a given community) is preferred whenever possible.

-\n" -"

Read more about file formats: UBC Library or UK Data Service.

" +"

The information provided here may also be useful in completing section 13 (" +"confidentiality, access, and storage) of the Summ" +"ary Protocol Form (SPF) for research involving human participants.

" msgstr "" msgid "" -"

It is important to keep track of different copies or versions of files, fil" -"es held in different formats or locations, and information cross-referenced be" -"tween files. This process is called 'version control'.

-\n" -"

Logical file structures, informative naming conventions, and clear indicati" -"ons of file versions, all contribute to better use of your data during and aft" -"er your research project.  These practices will help ensure that you and " -"your research team are using the appropriate version of your data, and minimiz" -"e confusion regarding copies on different computers and/or on different media." -"

-\n" -"

Read more about file naming and version control: UBC" -" Library or UK Data Service.

" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
\n" +"

Concordia University researchers must abide by the University’s policies related to research.

\n" +"

Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" +"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" +"nbsp;

\n" +"

For more information on intellectual property or copyright issues, please c" +"ontact copyright.questions@concordia.ca

\n" +"

For more information on research ethics please contact Concordia's Office of Research.

\n" +"
" msgstr "" msgid "" -"

Typically, good documentation includes information about the study, data-le" -"vel descriptions, and any other contextual information required to make the da" -"ta usable by other researchers.  Other elements you should document, as applic" -"able, include: research methodology used, variable definitions, vocabularies, " -"classification systems, units of measurement, assumptions made, format and fil" -"e type of the data, a description of the data capture and collection methods, " -"explanation of data coding and analysis performed (including syntax files), an" -"d details of who has worked on the project and performed each task, etc.

" +"

Research Data Manag" +"ement Guide

" msgstr "" msgid "" -"

Consider how you will capture this information and where it will be recorde" -"d, ideally in advance of data collection and analysis, to ensure accuracy, con" -"sistency, and completeness of the documentation.  Often, resources you've alre" -"ady created can contribute to this (e.g. publications, websites, progress repo" -"rts, etc.).  It is useful to consult regularly with members of the research te" -"am to capture potential changes in data collection/processing that need to be " -"reflected in the documentation.  Individual roles and workflows should include" -" gathering data documentation as a key element.

" +"Describe all types of data you will collect th" +"roughout the research process, with special attention paid to participant-driv" +"en data (e.g., written transcripts, video files, audio recordings, journals, a" +"rt, photographs, etc.)." msgstr "" msgid "" -"

There are many general and domain-specific metadata standards.  Dataset doc" -"umentation should be provided in one of these standard, machine readable, open" -"ly-accessible formats to enable the effective exchange of information between " -"users and systems.  These standards are often based on language-independent da" -"ta formats such as XML, RDF, and JSON. There are many metadata standards based" -" on these formats, including discipline-specific standards.

Read more a" -"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" +"If you will be combining original research dat" +"a with existing, or previously used research data, describe those data here. P" +"rovide the name, location, URL, and date of the dataset(s) used. Describe any " +"end-user license assigned to the data, or terms of use you must abide by." msgstr "" msgid "" -"

Storage-space estimates should take into account requirements for file vers" -"ioning, backups, and growth over time. 

If you are collecting data ove" -"r a long period (e.g. several months or years), your data storage and backup s" -"trategy should accommodate data growth. Similarly, a long-term storage plan is" -" necessary if you intend to retain your data after the research project.

" +"Provide a description of any data collection i" +"nstruments or scales that will be used to collect data. These may include but " +"are not limited to questionnaires, interview guides, or focus group procedures" +". If using a pre-existing instrument or scale, provide the citation(s) in this" +" section." msgstr "" msgid "" -"

The risk of losing data due to human error, natural disasters, or other mis" -"haps can be mitigated by following the 3-2-1 backup rule:

-\n" -"
    -\n" -"
  • Have at least three copies of your data.
  • -\n" -"
  • Store the copies on two different media.
  • -\n" -"
  • Keep one backup copy offsite
  • -\n" -"
-\n" -"

Data may be stored using optical or magnetic media, which can be removable " -"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" -"orked (e.g. networked drives or cloud-based servers). Each storage method has " -"benefits and drawbacks that should be considered when determining the most app" -"ropriate solution.

-\n" -"

Further information on storage and backup practices is available from the <" -"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" -"noopener\">University of Sheffield Library and the UK Dat" -"a Service.

" +"Describe the frequency in which you will be co" +"llecting data from participants. If you are performing narrative inquiry or lo" +"ngitudinal data collection for example, how often will you gather data from th" +"e same participants?" msgstr "" msgid "" -"

An ideal solution is one that facilitates co-operation and ensures data sec" -"urity, yet is able to be adopted by users with minimal training. Transmitting " -"data between locations or within research teams can be challenging for data ma" -"nagement infrastructure. Relying on email for data transfer is not a robust or" -" secure solution. Third-party commercial file sharing services (such as Google" -" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" -"manent or secure, and are often located outside Canada. Please contact your Li" -"brary to develop the best solution for your research project.

" +"Provide an estimate of when you will begin and" +" conclude the data collection process. List this information in the following " +"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" +"/MM - YYYY/MM instead." msgstr "" msgid "" -"

The issue of data retention should be considered early in the research life" -"cycle. Data-retention decisions can be driven by external policies (e.g. fund" -"ing agencies, journal publishers), or by an understanding of the enduring valu" -"e of a given set of data. The need to preserve data in the short-term (i.e. f" -"or peer-verification purposes) or long-term (for data of lasting value), will " -"influence the choice of data repository or archive. A helpful analogy is to t" -"hink of creating a 'living will' for the data, that is, a plan describing how " -"future researchers will have continued access to the data.

If you need a" -"ssistance locating a suitable data repository or archive, please contact your " -"Library.

re3data.org is a directory of potential open data repositories. Verify whether or not t" -"he data repository will provide a statement agreeing to the terms of deposit o" -"utlined in your Data Management Plan.

" +"Provide a description of the environment and g" +"eographic location of where data will be gathered, within the context of the s" +"tudy (e.g., hospital setting, long-term care setting, community). Include nati" +"onal, provincial, or municipal locations if applicable." msgstr "" msgid "" -"

Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" -".csv'), are considered preservation-friendly. The UK Data Service provides a u" -"seful table of file formats for various types of data. Keep in mind that prese" -"rvation-friendly files converted from one format to another may lose informati" -"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " -"so changes to file formats should be documented.

-\n" -"

Identify steps required following project completion in order to ensure the" -" data you are choosing to preserve or share is anonymous, error-free, and conv" -"erted to recommended formats with a minimal risk of data loss.

-\n" -"

Read more about anonymization: UBC Library<" -"/a> or UK Data Service.

" +"

Summarize the steps that are involved in th" +"e data collection process for your study. This section should include informat" +"ion about screening and recruitment, the informed consent process, information" +" disseminated to participants before data collection, and the methods by which" +" data is gathered. 

\n" +"
\n" +"

In this section, consider including documen" +"tation such as your study protocol, interview guide, questionnaire, etc.

" msgstr "" msgid "" -"

Raw data are the data directly obtained from the instrument, simulat" -"ion or survey.

Processed data result from some manipulation of th" -"e raw data in order to eliminate errors or outliers, to prepare the data for a" -"nalysis, to derive new variables, or to de-identify the human participants.

Analyzed data are the the results of qualitative, statistical, or " -"mathematical analysis of the processed data. They can be presented as graphs, " -"charts or statistical tables.

Final data are processed data that " -"have, if needed, been converted into a preservation-friendly format.

Con" -"sider which data may need to be shared in order to meet institutional or fundi" -"ng requirements, and which data may be restricted because of confidentiality/p" -"rivacy/intellectual property considerations.

" +"Include a description of any software that wil" +"l be used to gather data. Examples may include but are not limited to word pro" +"cessing programs, survey software, and audio/video recording tools. Provide th" +"e version of each software program used if applicable." msgstr "" msgid "" -"

Licenses determine what uses can be made of your data. Funding agencies and" -"/or data repositories may have end-user license requirements in place; if not," -" they may still be able to guide you in the development of a license. Once cre" -"ated, please consider including a copy of your end-user license with your Data" -" Management Plan. Note that only the intellectual property rights holder(s) c" -"an issue a license, so it is crucial to clarify who owns those rights.

" -"There are several types of standard licenses available to researchers, such as" -" the Creative Com" -"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" -"sier to use a standard license rather than to devise a custom-made one. Note t" -"hat even if you choose to make your data part of the public domain, it is pref" -"erable to make this explicit by using a license such as Creative Commons' CC0" -".

Read more about data licensing: UK Digital Curation Cent" -"re.

" +"List the file formats associated with each sof" +"tware program that will be generated during the data collection phase (e.g., ." +"txt, .csv, .mp4, .wav)." msgstr "" msgid "" -"

Possibilities include: data registries, repositories, indexes, word-of-mout" -"h, publications.

How will the data be accessed (Web service, ftp, etc.)?" -" If possible, choose a repository that will assign a persistent identifier (su" -"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " -"and make it retrievable by various discovery tools.

One of the best ways" -" to refer other researchers to your deposited datasets is to cite them the sam" -"e way you cite other types of publications (articles, books, proceedings). The" -" Digital Curation Centre provides a detailed guide on data citation.No" -"te that some data repositories also create links from datasets to their associ" -"ated papers, thus increasing the visibility of the publications.

Contact" -" your Library for assistance in making your dataset visible and easily accessi" -"ble.

Reused from NIH. (2009). Key Elements to Cons" -"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" -"al Institutes of Health.

" +"Provide a description of how you will track ch" +"anges made to any data analysis files. Examples might include any audit trail " +"steps, or versioning systems that you follow during the data analysis process." +"" msgstr "" msgid "" -"

Your data management plan has identified important data activities in your " -"project. Identify who will be responsible -- individuals or organizations -- f" -"or carrying out these parts of your data management plan. This could also incl" -"ude the timeframe associated with these staff responsibilities and any trainin" -"g needed to prepare staff for these duties.

" +"Include any software programs you plan to use " +"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" +"tc.). Include the version if applicable." msgstr "" msgid "" -"

Indicate a succession strategy for these data in the event that one or more" -" people responsible for the data leaves (e.g. a graduate student leaving after" -" graduation). Describe the process to be followed in the event that the Princi" -"pal Investigator leaves the project. In some instances, a co-investigator or t" -"he department or division overseeing this research will assume responsibility." -"

" +"List the file formats associated with each ana" +"lysis software program that will be generated in your study (e.g., .txt, .csv," +" .xsls, .docx). " msgstr "" msgid "" -"

This estimate should incorporate data management costs incurred during the " -"project as well as those required for the longer-term support for the data aft" -"er the project is finished. Items to consider in the latter category of expens" -"es include the costs of curating and providing long-term access to the data. S" -"ome funding agencies state explicitly the support that they will provide to me" -"et the cost of preparing data for deposit. This might include technical aspect" -"s of data management, training requirements, file storage & backup, and contri" -"butions of non-project staff.

" +"Include the coding scheme used to analyze your" +" data -- consider providing a copy of your codebook. If other methods of analy" +"sis were performed, describe them here. " msgstr "" msgid "" -"

Consider where, how, and to whom sensitive data with acknowledged long-term" -" value should be made available, and how long it should be archived. These dec" -"isions should align with Research Ethics Board requirements. The methods used " -"to share data will be dependent on a number of factors such as the type, size," -" complexity and degree of sensitivity of data. Outline problems anticipated in" -" sharing data, along with causes and possible measures to mitigate these. Prob" -"lems may include confidentiality, lack of consent agreements, or concerns abou" -"t Intellectual Property Rights, among others. In some instances, an embargo pe" -"riod may be justified; these may be defined by a funding agency's policy on re" -"search data.

Reused from: DCC. (2013). Checklist for a Data Management" -" Plan. v.4.0. Edinburgh: Digital Curation Centre

Restrictions can be" -" imposed by limiting physical access to storage devices, by placing data on co" -"mputers that do not have external network access (i.e. access to the Internet)" -", through password protection, and by encrypting files. Sensitive data should" -" never be shared via email or cloud storage services such as Dropbox.

" +"Outline the steps that will be taken to ensure" +" the quality and transparency during the data analysis process. In this sectio" +"n, describe procedures for cleaning data, contacting participants to clarify r" +"esponses, and correcting data when errors are identified. Consider the princip" +"les of credibility, dependability, confirmability, and transferability as desc" +"ribed in Lincoln and Guba, 1985 when completing this section.
" msgstr "" msgid "" -"

Obtaining the appropriate consent from research participants is an importan" -"t step in assuring Research Ethics Boards that the data may be shared with res" -"earchers outside your project. The consent statement may identify certain cond" -"itions clarifying the uses of the data by other researchers. For example, it m" -"ay stipulate that the data will only be shared for non-profit research purpose" -"s or that the data will not be linked with personally identified data from oth" -"er sources.

-\n" -"

Read more about data security: UK Data Service

" +"Consider what information might be useful to a" +"ccompany your data if you were to share it with someone else (e.g., the study " +"protocol, interview guide, codebook, information about software used, question" +"naires, user guide for the data, etc.)." msgstr "" msgid "" -"

Compliance with privacy legislation and laws that may impose content restri" -"ctions in the data should be discussed with your institution's privacy officer" -" or research services office. Research Ethics Boards are central to the resear" -"ch process.

Include here a description concerning ownership, licensing, " -"and intellectual property rights of the data. Terms of reuse must be clearly s" -"tated, in line with the relevant legal and ethical requirements where applicab" -"le (e.g., subject consent, permissions, restrictions, etc.).

" +"Metadata standards can provide guidance on how" +" best to document your data. If you do not know of any existing standards in y" +"our field, visit this website to search for available standards:
https://fairshari" +"ng.org/." msgstr "" msgid "" -"

The University of Guelph Library's Data Resource Centre provides d" -"ata collection and creation support including support for the design and creat" -"ion of web surveys and access to data resources including numeric and geospati" -"al databases.

-\n" -"

The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" -"oved academic staff and students can securely access detailed microdata and ad" -"ministrative datasets from Statistics Canada.

-\n" -"

For more information, contact us at lib.research@uoguelph.ca.

" +"Describe the participants whose lived experien" +"ces/phenomena are being studied in this project." msgstr "" msgid "" -"

The University of Guelph Library provides training and support related to <" -"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" -"-management/training-support\" target=\"_blank\">Research Data Management. Pl" -"ease contact us at l" -"ib.research@uoguelph.ca for more information.

" +"Provide a brief description of the sampling pr" +"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" +"." msgstr "" msgid "" -"

Please see Organising Information for more information regarding developing a s" -"trategy for how you will manage your project files throughout the research pro" -"cess including directory structure, file naming conventions and versioning. -\n" -"

Please contact us at lib.research@uoguelph.ca for additional support.

" +"Outline any weighting or representative sampli" +"ng that is being applied in this study." msgstr "" msgid "" -"

The University of Guelph Library has created a Data Management Planning Checklist wh" -"ich can be used to identify and keep track of the data management practices th" -"at you will utilize throughout the data life-cycle, including what information" -" and tools will be used to document your work.

-\n" -"

For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

" +"Provide a glossary of any acronyms or abbrevia" +"tions used within your study." msgstr "" msgid "" -"

Review Documenting Your Work for more information regarding creating and trackin" -"g metadata throughout the research process.

-\n" -"

Please contact us at lib.research@uoguelph.ca for additional support.

" +"Provide an estimate of how much data you will " +"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" +"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" +"r interview transcripts)." msgstr "" msgid "" -"

Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" -"ms for more about information about categorising and documenting your data" -" or contact us at li" -"b.research@uoguelph.ca.

" +"Describe where your data will be stored while " +"data is being gathered from participants (e.g., in a secure, password protecte" +"d computer file, hard copies stored in locked filing cabinets, or institutiona" +"l computer storage)." msgstr "" msgid "" -"

On campus, Computing" -" and Communications Services (CCS) provides support for short-term storage" -" and backup.

-\n" -"

Please see " -"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

" +"If different from the above, describe where yo" +"ur data will be stored while performing data analysis." msgstr "" msgid "" -"

On campus, Computing" -" and Communications Services (CCS) provides support for file security and " -"encryption.

-\n" -"

Information S" -"ecurity services provided through the Office of the CIO, offers encryption" -" and file security training.

-\n" -"

Please see " -"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

" +"Describe how your study data will be regularly" +" saved and updated. If using institutional servers, consult with your Informat" +"ion Technology department if you are unsure how frequently data is backed up.<" +"/span>" msgstr "" msgid "" -"

The University of Guelph Library provides support for researchers in determ" -"ining the appropriate method and location for the preservation of data.

-\n" -"

We also maintain two research data respositories, the Agri-environmental" -" Research Data Respository and the University of Guelph Research Data Re" -"pository, where University of Guelph researchers can deposit their data th" -"rough a facilitated process.

-\n" -"

Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" -"tion.

" +"Outline the procedures that will safeguard sen" +"sitive data collected during your study. This may include storing identifying " +"data (consent forms) separately from anonymized data (audio files or transcrip" +"ts), keeping files password protected and secure, and only providing access to" +" investigators analyzing the data." msgstr "" msgid "" -"

Please see Pres" -"ervation and " -"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

" +"Provide examples of a consistent file naming c" +"onvention that will be used for this study. Examples of file names might inclu" +"de the type of file, participant number, date of interaction, and/or study pha" +"se. Follow t" +"his guide for more information on f" +"ile naming." msgstr "" msgid "" -"

Please see Sha" -"ring & Reuse - Conditions for Sharing for more information on licensin" -"g options or contact us at lib.research@uoguelph.ca

" +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, external data repository" +", in secure, institutional computer" +" storage, or external hard drive)." msgstr "" msgid "" -"

The University of Guelph Library offers Resea" -"rch Data Management services that support researchers with the organizatio" -"n, management, dissemination, and preservation of their research data.

-\n" -"

Data deposited in the University of Guelph Research Data Repositories is as" -"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" -") to your data. The DOI can be used to cite, improve discovery, track usage an" -"d measure the impact of your data.

-\n" -"

Sharing data through a repository can also improve its discovery and dissem" -"ination since repository content is fully indexed and searchable in search eng" -"ines such as Google.

-\n" -"

For more information, contact us at lib.research@uoguelph.ca.

" +"Name the person(s) responsible for managing th" +"e data at the completion of the project. List their affiliation(s) and contact" +" information." msgstr "" msgid "" -"

The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" -"mans (Chapter 5) - D. Consen" -"t and Secondary Use of Identifiable Information for Research Purposes prov" -"ides detailed guidance related to secondary use of research data.

-\n" -"

Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" -"ng your data for secondary use including obtaining consent, conditions for sha" -"ring and anonymising data.

" +"Many proprietary file formats such as those ge" +"nerated from Microsoft software or statistical analysis tools can make the dat" +"a difficult to access later on. Consider transforming any proprietary files in" +"to preservation-friendly formats<" +"/span> to ensure your data can be opened i" +"n any program. Describe the process for migrating any data formats here." msgstr "" msgid "" -"

Researchers should consult the Tri-Council Po" -"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" -"nformation on ethical obligations.

-\n" -"

The University of Guelph's Office of Research offers guidance related to&nb" -"sp;Ethics and Regulatory Compliance as well a" -"s Intellectual Property Policy.  -\n" -"

The Office of Research also provides resources, training and detailed guida" -"nce related to research involving human participants through the Resear" -"ch Ethics/Protection of Human Participants webpage.

-\n" -"

Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

-\n" -"

 

-\n" -"

 

" +"Provide details on how long you plan to keep y" +"our data after the project, and list any requirements you must follow based on" +" Research Ethics Board guidelines, data use agreements, or funder requirements" +". " msgstr "" msgid "" -"

Les Services informatiques ont une offr" -"e de services en soutien à la recherche. Ils peuvent vous aider à" -"; déterminer vos besoins de stockage et à mettre en place l&rsqu" -"o;infrastructure nécessaire à votre projet de recherche.

" +"Describe what steps will be taken to destroy s" +"tudy data. These steps may include shredding physical documents, making data u" +"nretrievable with support from your Information Technology department, or othe" +"r personal measures to eliminate data files." msgstr "" msgid "" -"

Les Services informatiques peuvent vous" -" assister dans l'élaboration de votre stratégie de sauvegarde." +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how and when informed consent is colle" +"cted during the data collection process. Examples include steps to gain writte" +"n or verbal consent, re-establishing consent at subsequent interviews, etc. " msgstr "" msgid "" -"

Les Services informatiques offrent une solution locale de stockage et de pa" -"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" -"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" -"get=\"_blank\">Service OwnCloud.

-\n" -"

Les Services informatiques peuvent de p" -"lus vous aider à mettre au point les stratégies de collaboration" -" et de sécurité entre vos différents espaces de travail.<" -"/p>" +"Provide the name, institutional affiliation, a" +"nd contact information of the person(s) who hold intellectual property rights " +"to the data." msgstr "" msgid "" -"

Un professionnel de l’équipe de soutien à la gestion de" -"s données de recherche peut vous aider à identifier des dé" -";pôts pertinents pour vos données: gdr@uqam.ca.

" +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations are included as participants, outline specific guidelines that " +"are being followed to protect them (e.g., OCAP, community advisory bo" +"ards, etc.)." msgstr "" msgid "" -"

La Politique de la recherche et de la cr&eacu" -"te;ation (Politique no 10) de l’UQAM souligne que « le par" -"tage des résultats de la recherche et de la création avec la soc" -"iété est une nécessité dans le cadre d’une p" -"olitique de la recherche publique » et que « l’UQAM" -" encourage tous les acteurs de la recherche et de la création et en par" -"ticulier les professeures et les professeurs à diffuser et transf&eacut" -"e;rer les résultats de leurs travaux au sein de la société" -"; ».

-\n" -"

La Déclaration de principes des trois organis" -"mes sur la gestion des données numériques n’indique pa" -"s quelles données doivent être partagées. Elle a pour obje" -"ctif « de promouvoir l’excellence dans les pratiques de gestio" -"n et d’intendance des données numériques de travaux de rec" -"herche financés par les organismes ». Il y est décrit" -" de quelle façon la  préservation, la conservation et le pa" -"rtage des données devraient être envisagés. À lire!" -"

-\n" -"

Suggestion: Voyez comment protéger vos données sensibles (der" -"nière section du plan: « Conformité aux lois et &agra" -"ve; l’éthique ») et partagez tout ce qui peut l'ê" -";tre, après une analyse coût-bénéfice.

" +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by funder, " +"institutional, or community agreements, among others." msgstr "" msgid "" -"

Les Services informatiques peuvent vous" -" aider à déterminer les coûts de l'infrastructure né" -";cessaire à votre projet de recherche.

" +"List all the steps that will be taken to remov" +"e the risk of disclosing personal information from study participants. Include" +" information about keeping data safe and secure, and whether certain informati" +"on will be removed from the data. If data is being anonymized or de-identified" +", specify the information type(s) being altered (e.g., names, addresses, dates" +", location)." msgstr "" msgid "" -"

Les Services informatiques ont produit un « Guide de bonnes prati" -"ques pour la sécurité informatique des données de recherc" -"he ».

" +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include, but not be li" +"mited to personnel, storage requirements, software, or hardware." msgstr "" msgid "" -"

L’équipe de soutien à la gestion des données de " -"recherche peut vous mettre en relation avec des professionnels qualifié" -"s pour vous aider avec les questions d’ordre éthique, juridique e" -"t de propriété intellectuelle: gdr@uqam.ca.

" +"Provide the name(s), affiliation(s), and conta" +"ct information for the main study contact." msgstr "" msgid "" -"

See more about best practices on file formats from the SFU Library.

" +"Provide the name(s), affiliation(s), contact i" +"nformation, and responsibilities of each study team member in relation to work" +"ing with the study data. If working with institutional Information Technology " +"members, statisticians, or other stakeholders outside your immediate team, pro" +"vide their information as well." msgstr "" msgid "" -"

DDI is a common metadata standard for the social sciences. SFU Radar uses D" -"DI Codebook to describe data so other researchers can find it by searching a d" -"iscovery portal like Da" -"taCite.

-\n" -"

Read more about metadata standards: UK Digital Curation Centre's Disciplinary" -" Metadata.

" +"Describe the process by which new collaborator" +"s/team members will be added to the project, if applicable. Include the type(s" +") of responsibilities that may require new team members to be added during, or" +" after the project is complete." msgstr "" msgid "" -"

If paying for an external hosting service, you will need to keep paying for" -" it, or have some migration plan (e.g., depositing the data into a university " -"repository). SFU Vault or services like Sync may be an option f" -"or some projects.

" +"Describe the intended audience for your data. " +"" msgstr "" msgid "" -"
Encrypting sensitive data is recommended. In almost case" +"s, full disk encryption is preferable; users apply a feature in the computer's oper" +"ating system to encrypt the entire disk. \n" +"
 
\n" +"
Encrypting sensitive data is recommended. In almost case" -"s, full disk encryption is preferable; users apply a feature in the computer's oper" -"ating system to encrypt the entire disk. -\n" -"
 
-\n" -"
-\n" -"
In Windows, encryption of your internal disk or USB driv" -"es can be performed by a service called BitLocker. In Mac OSX, disk" -" encryption can be performed by a service called FileVault. Documen" -"tation of these features is available from Microsoft or Apple. Full disk encry" -"ption is also available in Linux. Note that encrypting a USB drive may li" -"mit its usability across devices.
-\n" -"
 
-\n" -"
Encrypted data is less likely to be " -"seen by an unauthorized person if the laptop/external drive is lost or st" -"olen. It's important to consider that merely \"deleti" -"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" -"ata from the computer, and even “secure deletion” tools are not co" -"mpletely effective on modern disks. Consider what security measures are necessary for han" -"dling sensitive data files and for decommissioning the computer disc " -";at the end of its use. -\n" -"
 
-\n" -"
-\n" -"
For more information about securing sensitive research d" -"ata, consult with SFU's IT Services.
" +"Describe what data can/will be shared at the e" +"nd of the study. " msgstr "" msgid "" -"

Consider contacting SFU Library Data Services to develop the best solution for y" -"our research project.

" +"Restrictions on data may include, but are not " +"limited to, the sensitivity of the data, data being acquired under license, or" +" data being restricted under a data use agreement. Describe what restrictions " +"(if any) apply to your research data. " msgstr "" msgid "" -"

If you need assistance locating a suitable data repository or archive, plea" -"se contact SFU Libr" -"ary Data Services. re3data.or" -"g is a directory of potential open data repositories.

" +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," +" among others." msgstr "" msgid "" -"

Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" -"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" -" preservation-friendly files converted from one format to another may lose inf" -"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" -"ile), so changes to file formats should be documented, and you may want to ret" -"ain original formats, even if they are proprietary.

" +"If your data is restricted, describe how a res" +"earcher could access that data for secondary analysis. Examples of these proce" +"dures may include completing a Research Ethics Board application, signing a da" +"ta use agreement, submitting a proposal to a community advisory board, among o" +"thers. Be as specific as possible in this section." msgstr "" msgid "" -"

There are various creative commons licenses which can be applied to data. <" -"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" -"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" -" at SFU.

" +"Select a license that best suits the parameter" +"s of how you would like to share your data, and how you would prefer to be cre" +"dited. See this resource to help you decide: https://creativecommons.or" +"g/choose/." msgstr "" msgid "" -"

If possible, choose a repository like the Canadian Federated Research Data " -"Repository, FRDR for short,  that will assign a persistent identifier (such" -" as a DOI) to your dataset. This will ensure a stable access to the dataset an" -"d make it retrievable by various discovery tools. DataCite Search is a discov" -"ery portal for research data. If you deposit in SFU Radar or a repository inde" -"xed in the Re" -"gistry of Research Data Repositories, your records will appear in the port" -"al's keyword search results.

" +"Describe the software/technology being develop" +"ed for this study, including its intended purpose." msgstr "" msgid "" -"

If you need advice on identifying potential support, contact data-services@" -"sfu.ca

" +"Describe the underlying approach you will take" +" to the development and testing of the software/technology. Examples may inclu" +"de existing frameworks like the systems development life cycle, or user-centred design framework. If you intend to " +"develop your own approach, describe that approach here. " msgstr "" msgid "" -"

Decisions relevant to data retention and storage should align with SFU's Of" -"fice of Research Ethics requirements.

" +"If you are using open source or existing softw" +"are/technology code to develop your own program, provide a citation of that so" +"ftware/technology if applicable. If a citation is unavailable, indicate the na" +"me of the software/technology, its purpose, and the software/technology licens" +"e. " msgstr "" msgid "" -"

SFU's Office of Research Ethics' consent statement shou" -"ld be consulted when working with human participants.

-\n" -"

The Interuniversity Consortium f" -"or Political and Social Research (ISPSR) and the Australian National Data Service<" -"/a> also provide examples of informed consent language for data sharing.

" +"Describe the methodology that will be used to " +"run and test the software/technology during the study. This may include: beta " +"testing measures, planned release dates, and maintenance of the software/techn" +"ology." msgstr "" msgid "" -"

The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" -"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" -"e of personal information collected in research projects. This does not mean, " -"however, that sensitive information collected as part of your research does no" -"t need to be safeguarded. Please refer to University Ethics Review (R 20." -"01).

-\n" -"

IP issues should be clarified at the commencement of your research proj" -"ect so that all collaborators have a mutual understanding of ownership, to pre" -"vent potential conflict later.

" +"Describe the disability and accessibility guid" +"elines you will follow to ensure your software/technology is adaptable and usa" +"ble to persons with disabilities or accessibility issues. " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

For more information on file formats, see Concordia Library’s Research data management guide.

-\n" -"
" +"Describe the requirements needed to support th" +"e software/technology used in the study. This may include: types of operating " +"systems, type of server required, infrastructure necessary to run the program " +"(e.g., SQL database), and the types of devices this software/technology can be" +" used with (e.g., web, mobile)." msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

For more information on metadata standards, see Concordia Library’s Re" -"search data management guide

-\n" -"
" +"Consider what information might be useful to a" +"ccompany your software/technology if you were to share it with someone else. E" +"xamples may include documented code, user testing procedures, etc. This guide " +"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." msgstr "" msgid "" -"

For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact the Concordia " -"IT Research Support Team.

" +"Consider the software/technology development p" +"hase and indicate any instructions that will accompany the program. Examples m" +"ight include test-first development procedures, user acceptance testing measur" +"es, etc." msgstr "" msgid "" -"

For more information on data storage and backup, see Concordia Library&rsqu" -"o;s Research data management guide.

-\n" -"

For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

" +"Include information about any programs or step" +"s you will use to track the changes made to program source code. Examples migh" +"t include utilizing source control systems such as Git or Subversion to trac" +"k changes and manage library dependencies." msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

Datasets containing sensitive data or data files larger than 15MB should no" -"t be transferred via email.

-\n" -"

Please contact Concordia's IT Research Support Team for the exchan" -"ge of files with external organizations or for assistance with other issues re" -"lated to network services (connectivity with other external research centers o" -"r for high capacity, high volume data transfers).  

-\n" -"
" +"Describe any plans to continue maintaining sof" +"tware/technology after project completion. Use this section to either describe" +" the ongoing support model, the intention to engage with industry, or plan to " +"apply for future funding." msgstr "" msgid "" -"

For more information on data archiving options, see Concordia Library&rsquo" -";s Research data management guide.

" +"Include information about how the software/tec" +"hnology will remain secure over time. Elaborate on any encryption measures or " +"monitoring that will take place while maintaining the software/technology.
" msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

For more information, please contact copyright.questions@concordia.ca

-\n" -"
" +"List the copyright holder of the software/tech" +"nology. See the Copyri" +"ght Guide for Scientific Software f" +"or reference." msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

Although there are no absolute rules to determine the cost of data curation" -", some guidelines and tools have been developed to help researchers estimate t" -"hese costs. See for instance the information and tool " -"provided by the UK Data Service.

-\n" -"

Another version of this t" -"ool, with examples of actual costs (in Euros), was developed by librarians" -" and IT staff at Utrecht University.

-\n" -"

For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact Concordia's IT" -" Research Support Team.

-\n" -"
" +"Describe the license chosen for the software/t" +"echnology and its intended use. See list of license options here. " msgstr "" msgid "" -"

The answer to this question must be in line with Concordia University&rsquo" -";s Policy for the Ethic" -"al Review of Research Involving Human Participants.

-\n" -"

The information provided here may be useful in completing section 13 (confi" -"dentiality, access, and storage) of the Summary Protoc" -"ol Form (SPF) for research involving human participants.

-\n" -"

For technical assistance, please contact Concordia's IT Research Suppo" -"rt Team.

-\n" -"

For questions concerning ethics, Concordia's Offi" -"ce of Research.

" +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the software/technology. If working with developers, computer scientists" +", or programmers outside your immediate team, provide their information as wel" +"l." msgstr "" msgid "" -"

The information provided here may also be useful in completing section 13 (" -"confidentiality, access, and storage) of the Summ" -"ary Protocol Form (SPF) for research involving human participants.

" +"Indicate the steps that are required to formal" +"ly approve a release of software/technology. " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
-\n" -"

Concordia University researchers must abide by the University’s policies related to research.

-\n" -"

Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" -"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" -"nbsp;

-\n" -"

For more information on intellectual property or copyright issues, please c" -"ontact copyright.questions@concordia.ca

-\n" -"

For more information on research ethics please contact Concordia's Office of Research.

-\n" -"
" +"Describe who the intended users are of the sof" +"tware/technology being developed. " msgstr "" msgid "" -"

Research Data Manag" -"ement Guide

" +"Describe the specific elements of the software" +"/technology that will be made available at the completion of the study. If the" +" underlying code will also be shared, please specify. " msgstr "" msgid "" -"Describe all types of data you will collect th" -"roughout the research process, with special attention paid to participant-driv" -"en data (e.g., written transcripts, video files, audio recordings, journals, a" -"rt, photographs, etc.)." +"Describe any restrictions that may prohibit th" +"e release of software/technology. Examples may include commercial restrictions" +", patent restrictions, or intellectual property rules under the umbrella of an" +" academic institution." msgstr "" msgid "" -"If you will be combining original research dat" -"a with existing, or previously used research data, describe those data here. P" -"rovide the name, location, URL, and date of the dataset(s) used. Describe any " -"end-user license assigned to the data, or terms of use you must abide by." +"Provide the location of where you intend to sh" +"are your software/technology (e.g., app store, lab website, an industry partne" +"r). If planning to share underlying code, please indicate where that may be av" +"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." msgstr "" msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, interview guides, or focus group procedures" -". If using a pre-existing instrument or scale, provide the citation(s) in this" -" section." +"Please describe the types of data you will gat" +"her across all phases of your study. Examples may include, but are not limited" +" to data collected from surveys, interviews, personas or user stories, images," +" user testing, usage data, audio/video recordings, etc." msgstr "" msgid "" -"Describe the frequency in which you will be co" -"llecting data from participants. If you are performing narrative inquiry or lo" -"ngitudinal data collection for example, how often will you gather data from th" -"e same participants?" +"If you will be combining original research dat" +"a with existing licensed, restricted, or previously used research data, descri" +"be those data here. Provide the name, location, and date of the dataset(s) use" +"d. " msgstr "" msgid "" -"Provide an estimate of when you will begin and" -" conclude the data collection process. List this information in the following " -"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" -"/MM - YYYY/MM instead." +"Provide a description of any data collection i" +"nstruments or scales that will be used to collect data. These may include but " +"are not limited to questionnaires, assessment scales, or persona guides. If us" +"ing a pre-existing instrument or scale from another study, provide the citatio" +"n(s) in this section." msgstr "" msgid "" -"Provide a description of the environment and g" -"eographic location of where data will be gathered, within the context of the s" -"tudy (e.g., hospital setting, long-term care setting, community). Include nati" -"onal, provincial, or municipal locations if applicable." +"Indicate how frequently you will be collecting" +" data from participants. For example, if you are conducting a series of user t" +"ests with the same participants each time, indicate the frequency here." msgstr "" msgid "" -"

Summarize the steps that are involved in th" -"e data collection process for your study. This section should include informat" -"ion about screening and recruitment, the informed consent process, information" -" disseminated to participants before data collection, and the methods by which" -" data is gathered. 

-\n" -"
-\n" -"

In this section, consider including documen" -"tation such as your study protocol, interview guide, questionnaire, etc.

" +"Indicate the broader geographic location and s" +"etting where data will be gathered." msgstr "" msgid "" -"Include a description of any software that wil" -"l be used to gather data. Examples may include but are not limited to word pro" -"cessing programs, survey software, and audio/video recording tools. Provide th" -"e version of each software program used if applicable." +"Utilize this section to include a descriptive " +"overview of the procedures involved in the data collection process. This may i" +"nclude but not be limited to recruitment, screening, information dissemination" +", and the phases of data collection (e.g., participant surveys, user acceptanc" +"e testing, etc.). " msgstr "" msgid "" -"List the file formats associated with each sof" -"tware program that will be generated during the data collection phase (e.g., ." -"txt, .csv, .mp4, .wav)." +"Include the name and version of any software p" +"rograms used to collect data in the study. If homegrown software/technology is" +" being used, describe it and list any dependencies associated with running tha" +"t program." +msgstr "" + +msgid "" +"List any of the output files formats from the " +"software programs listed above." msgstr "" msgid "" "Provide a description of how you will track ch" -"anges made to any data analysis files. Examples might include any audit trail " -"steps, or versioning systems that you follow during the data analysis process." -"" +"anges made to any data analysis files. An example of this might include your a" +"udit trails or versioning systems that you will follow iterations of the data " +"during the analysis process.
" msgstr "" msgid "" -"Include any software programs you plan to use " -"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" -"tc.). Include the version if applicable." +"Describe the software you will use to perform " +"any data analysis tasks associated with your study, along with the version of " +"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." msgstr "" msgid "" "List the file formats associated with each ana" "lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx). " +" .xsls, .docx)." msgstr "" msgid "" -"Include the coding scheme used to analyze your" -" data -- consider providing a copy of your codebook. If other methods of analy" -"sis were performed, describe them here. " +"Include any code or coding schemes used to per" +"form data analysis. Examples in this section could include codebooks for analy" +"zing interview transcripts from user testing, code associated with the functio" +"nal/non-functional requirements of the software/technology program, or analyti" +"cal frameworks used for evaluation." msgstr "" msgid "" -"Outline the steps that will be taken to ensure" -" the quality and transparency during the data analysis process. In this sectio" -"n, describe procedures for cleaning data, contacting participants to clarify r" -"esponses, and correcting data when errors are identified. Consider the princip" -"les of credibility, dependability, confirmability, and transferability as desc" -"ribed in Lincoln and Guba, 1985 when completing this section." +"Use this section to describe any quality revie" +"w schedules, double coding measures, inter-rater reliability, quality review s" +"chedules, etc. that you intend to implement in your study." msgstr "" msgid "" "Consider what information might be useful to a" "ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, codebook, information about software used, question" -"naires, user guide for the data, etc.)." +"protocol, interview guide, personas, user testing procedures, data collection " +"instruments, or software dependencies, etc.)." msgstr "" msgid "" -"Metadata standards can provide guidance on how" -" best to document your data. If you do not know of any existing standards in y" -"our field, visit this website to search for available standards: https://fairshari" -"ng.org/." +"Describe the target population for which the s" +"oftware/technology is being developed (i.e., end users)." msgstr "" msgid "" -"Describe the participants whose lived experien" -"ces/phenomena are being studied in this project." +"Describe the processes used to sample the popu" +"lation (e.g., convenience, snowball, purposeful, etc.)." msgstr "" msgid "" -"Provide a brief description of the sampling pr" -"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" -"." +"For any data gathered, list the variables bein" +"g studied. For each variable, include the variable name, explanatory informati" +"on, variable type, and values associated with each variable. Examples may incl" +"ude demographic characteristics of stakeholders, components of the software/te" +"chnology program’s functional and nonfunctional requirements, etc. See g" +"uidance on how to create a" +" data dictionary." msgstr "" msgid "" -"Outline any weighting or representative sampli" -"ng that is being applied in this study." +"Create a glossary of all acronyms or abbreviat" +"ions used within your study. " msgstr "" msgid "" -"Provide a glossary of any acronyms or abbrevia" -"tions used within your study." +"Provide an estimate of how much data you will " +"collect for all data in the form of terabytes, gigabytes, or megabytes as need" +"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" +"equired for video files, 500 MB for survey data). " msgstr "" msgid "" -"Provide an estimate of how much data you will " -"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" -"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" -"r interview transcripts)." +"Indicate where and how data will be stored dur" +"ing data collection. Examples may include storing data in secure, password pro" +"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" +"p), hard copies stored in locked filing cabinets, external hard drives, etc." msgstr "" msgid "" -"Describe where your data will be stored while " -"data is being gathered from participants (e.g., in a secure, password protecte" -"d computer file, hard copies stored in locked filing cabinets, or institutiona" -"l computer storage)." +"If different from above, indicate where data i" +"s stored during the data analysis process. If data is being sent to external l" +"ocations for analysis by a statistician, describe that process here." msgstr "" msgid "" -"If different from the above, describe where yo" -"ur data will be stored while performing data analysis." +"Indicate the security measures used to protect" +" participant identifying data. Examples may include storing informed consent f" +"orms separately from anonymized data, password protecting files, locking unuse" +"d computers, and restricting access to data that may contain identifying infor" +"mation. " msgstr "" msgid "" -"Describe how your study data will be regularly" -" saved and updated. If using institutional servers, consult with your Informat" -"ion Technology department if you are unsure how frequently data is backed up.<" -"/span>" +"List any specific file naming conventions used" +" throughout the study. Provide examples of this file naming convention in the " +"text indicating the context for each part of the file name. See file naming gu" +"idance here<" +"/span>." msgstr "" msgid "" -"Outline the procedures that will safeguard sen" -"sitive data collected during your study. This may include storing identifying " -"data (consent forms) separately from anonymized data (audio files or transcrip" -"ts), keeping files password protected and secure, and only providing access to" -" investigators analyzing the data." +"Describe how your study data will be regularly" +" saved, backed up, and updated. If using institutional servers, consult with y" +"our Information Technology department to find out how frequently data is backe" +"d up." msgstr "" msgid "" -"Provide examples of a consistent file naming c" -"onvention that will be used for this study. Examples of file names might inclu" -"de the type of file, participant number, date of interaction, and/or study pha" -"se. Follow t" -"his guide for more information on f" -"ile naming." +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how informed consent is collected, and" +" at which phases of the data collection process. Examples include steps to gai" +"n written or verbal consent, re-establishing consent at subsequent points of c" +"ontact, etc. " msgstr "" msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, external data repository" -", in secure, institutional computer" -" storage, or external hard drive)." +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations were studied, outline specific guidelines that are being follow" +"ed to protect participants (e.g., " +"OCAP, community advisory boards, et" +"c.)." msgstr "" msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation(s) and contact" -" information." +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by a funder" +", institution, collaboration or commercial agreement. " msgstr "" msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened i" -"n any program. Describe the process for migrating any data formats here." +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include personnel, sto" +"rage requirements, software, hardware, etc." msgstr "" msgid "" -"Provide details on how long you plan to keep y" -"our data after the project, and list any requirements you must follow based on" -" Research Ethics Board guidelines, data use agreements, or funder requirements" -". " +"Provide the name(s), affiliation, and contact " +"information for the main study contact." msgstr "" msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include shredding physical documents, making data u" -"nretrievable with support from your Information Technology department, or othe" -"r personal measures to eliminate data files." +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the study data. " msgstr "" msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how and when informed consent is colle" -"cted during the data collection process. Examples include steps to gain writte" -"n or verbal consent, re-establishing consent at subsequent interviews, etc. " +"Describe who the intended users are of the dat" +"a. Consider that those who would benefit most from your data may differ from t" +"hose who would benefit from the software/technology developed. " msgstr "" msgid "" -"Provide the name, institutional affiliation, a" -"nd contact information of the person(s) who hold intellectual property rights " -"to the data." +"Outline the specific data that can be shared a" +"t the completion of the study. Be specific about the data (e.g., from surveys," +" user testing, app usage, interviews, etc.) and what can be shared." msgstr "" msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations are included as participants, outline specific guidelines that " -"are being followed to protect them (e.g., OCAP, community advisory bo" -"ards, etc.)." +"Describe any restrictions that may prohibit th" +"e sharing of data. Examples may include holding data that has confidentiality," +" license, or intellectual property restrictions, are beholden to funder requir" +"ements, or are subject to a data use agreement." msgstr "" msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by funder, " -"institutional, or community agreements, among others." +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, via community approval, or through you" +"r Research Ethics Board." msgstr "" msgid "" -"List all the steps that will be taken to remov" -"e the risk of disclosing personal information from study participants. Include" -" information about keeping data safe and secure, and whether certain informati" -"on will be removed from the data. If data is being anonymized or de-identified" -", specify the information type(s) being altered (e.g., names, addresses, dates" -", location)." +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, an external data reposit" +"ory, a secure institutional compute" +"r storage, or an external hard drive)." msgstr "" msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include, but not be li" -"mited to personnel, storage requirements, software, or hardware." +"Name the person(s) responsible for managing th" +"e data at the completion of the project. List their affiliation and contact in" +"formation." msgstr "" msgid "" -"Provide the name(s), affiliation(s), and conta" -"ct information for the main study contact." +"Many proprietary file formats such as those ge" +"nerated from Microsoft software or statistical analysis tools can make the dat" +"a difficult to access later on. Consider transforming any proprietary files in" +"to preservation-friendly formats<" +"/span> to ensure your data can be opened. " +"Describe the process for migrating your data formats here." msgstr "" msgid "" -"Provide the name(s), affiliation(s), contact i" -"nformation, and responsibilities of each study team member in relation to work" -"ing with the study data. If working with institutional Information Technology " -"members, statisticians, or other stakeholders outside your immediate team, pro" -"vide their information as well." +"Describe what steps will be taken to destroy s" +"tudy data. These steps may include but are not limited to shredding physical d" +"ocuments, making data unretrievable with support from your Information Technol" +"ogy department, or personal measures to eliminate data files." msgstr "" msgid "" -"Describe the process by which new collaborator" -"s/team members will be added to the project, if applicable. Include the type(s" -") of responsibilities that may require new team members to be added during, or" -" after the project is complete." +"Drawings, songs, poems, films, short stories, " +"performances, interactive installations, and social experiences facilitated by" +" artists are examples of data. Data on " +"artistic processes can include documentation of techniques, stages, and contex" +"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" +"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" +" create artwork. Other types of data ar" +"e audio recordings of interviews, transcripts, photographs, videos, field note" +"s, historical documents, social media posts, statistical spreadsheets, and com" +"puter code." msgstr "" msgid "" -"Describe the intended audience for your data. " -"" +"Artwork is a prominent type of data in ABR tha" +"t is commonly used as content for analysis and interpretation. Artworks that e" +"xist as, or are documented in, image, audio, video, text, and other types of d" +"igital files facilitate research data management. The same applies to preparat" +"ory, supplemental, and discarded artworks made in the creation of a principal " +"one. Research findings you create in the form of artwork can be treated as dat" +"a if you will make them available for researchers, artists, and/or the public " +"to use as data. Information about artistic processes can also be data. Read mo" +"re on artwork and artistic processes as data at Kultur II Group and Jisc." msgstr "" msgid "" -"Describe what data can/will be shared at the e" -"nd of the study. " +"Researchers and artists can publish their data" +" for others to reuse. Research data repositories and government agencies are s" +"ources of published data (e.g., Federated Research Data Repository, Statistics Canada). Your university may have its own research data repo" +"sitory. Academic journals may host published data as supplementary material co" +"nnected to their articles. If you need help finding resources for published da" +"ta, contact your institution’s library or reach out to the Portage DMP C" +"oordinator at support@portagenetwor" +"k.ca." msgstr "" msgid "" -"Restrictions on data may include, but are not " -"limited to, the sensitivity of the data, data being acquired under license, or" -" data being restricted under a data use agreement. Describe what restrictions " -"(if any) apply to your research data. " +"Non-digital data should be digitized when poss" +"ible. Digitization is needed for many reasons, including returning artwork to " +"participants, creating records of performances, and depositing data in a repos" +"itory for reuse. When planning your documentation, consider what conditions (e" +".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," +" software (e.g., video editing program), and specialized skills (e.g., filming" +" techniques, image-editing skills) you will need. High quality documentation w" +"ill make your data more valuable to you and others." msgstr "" msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," -" among others." +"

Open (i.e., non-proprietary) file formats a" +"re preferred when possible because they can be used by anyone, which helps ens" +"ure others can access and reuse your data in the future. However, proprietary " +"file formats may be necessary for certain arts-based methods because they have" +" special capabilities for creating and editing images, audio, video, and text." +" If you use proprietary file formats, try to select industry-standard formats " +"(i.e., those widely used by a given community) or those you can convert to ope" +"n ones. UK Data Service<" +"/a> provides a table of recommended and accept" +"able file formats for various types of data.

\n" +"
Original files of artwork and its docume" +"ntation should be in uncompressed file formats to maximize data quality. Lower" +" quality file formats can be exported from the originals for other purposes (e" +".g., presentations). Read more on file formats at
UBC Library or UK Data Service." msgstr "" msgid "" -"If your data is restricted, describe how a res" -"earcher could access that data for secondary analysis. Examples of these proce" -"dures may include completing a Research Ethics Board application, signing a da" -"ta use agreement, submitting a proposal to a community advisory board, among o" -"thers. Be as specific as possible in this section." +"Good data organization includes logical folder" +" hierarchies, informative and consistent naming conventions, and clear version" +" markers for files. File names should contain information (e.g., date stamps, " +"participant codes, version numbers, location, etc.) that helps you sort and se" +"arch for files and identify the content and right versions of files. Version c" +"ontrol means tracking and organizing changes to your data by saving new versio" +"ns of files you modified and retaining the older versions. Good data organizat" +"ion practices minimize confusion when changes to data are made across time, fr" +"om different locations, and by multiple people. Read more on file naming and v" +"ersion control at UBC Library, University of Leicester," +" and UK Data Service." msgstr "" msgid "" -"Select a license that best suits the parameter" -"s of how you would like to share your data, and how you would prefer to be cre" -"dited. See this resource to help you decide: https://creativecommons.or" -"g/choose/." +"A poem written to analyze a transcript could b" +"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " +"the interview with participant 05. Revisions to the poem could be marked with " +"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." msgstr "" msgid "" -"Describe the software/technology being develop" -"ed for this study, including its intended purpose." +"Project-level metadata can include basic infor" +"mation about your project (e.g., title, funder, principal investigator, etc.)," +" research design (e.g., background, research questions, aims, artists or artwo" +"rk informing your project, etc.) and methodology (e.g., description of artisti" +"c process and materials, interview guide, transcription process, etc.). Item-l" +"evel metadata should include basic information about artworks and their docume" +"ntation (e.g., creator, date, subject, copyright, file format, equipment used " +"for documentation, etc.)." msgstr "" msgid "" -"Describe the underlying approach you will take" -" to the development and testing of the software/technology. Examples may inclu" -"de existing frameworks like the systems development life cycle
, or user-centred design framework. If you intend to " -"develop your own approach, describe that approach here. " +"

Cornell University defines metadata as “documentation that describes data” " +"(see also Concordia University Library). Creating good metadata includes providing inf" +"ormation about your project as well as each item in your database, and any oth" +"er contextual information needed for you and others to interpret and reuse you" +"r data in the future. CESSDA and UK Data Service<" +"/a> provide examples of project- and item-leve" +"l metadata. Because arts-based methods tend to be customized and fluid, descri" +"bing them in your project-level metadata is important.

" msgstr "" msgid "" -"If you are using open source or existing softw" -"are/technology code to develop your own program, provide a citation of that so" -"ftware/technology if applicable. If a citation is unavailable, indicate the na" -"me of the software/technology, its purpose, and the software/technology licens" -"e. " +"Dublin Core and DDI are two widely used general metadata standards. Disc" +"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core
) may be useful to describe artworks at" +" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" +"tadata standards they use." msgstr "" msgid "" -"Describe the methodology that will be used to " -"run and test the software/technology during the study. This may include: beta " -"testing measures, planned release dates, and maintenance of the software/techn" -"ology." +"A metadata standard is a set of established ca" +"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" +"ne-readable, which is essential for depositing data in repositories and making" +" them easily discoverable by search engines. While no specific metadata standa" +"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" +"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" +"ntact your institution’s library or reach out to the Portage DMP Coordin" +"ator at support@portagenetwork.ca." msgstr "" msgid "" -"Describe the disability and accessibility guid" -"elines you will follow to ensure your software/technology is adaptable and usa" -"ble to persons with disabilities or accessibility issues. " +"One way to record metadata is to place it in a" +" separate text file (i.e., README file) that will accompany your data and to u" +"pdate it throughout your project. Cornell University provides a README file template you can " +"adapt. You can also embed item-level metadata in certain files, such as placin" +"g contextual information and participant details for an interview in a summary" +" page at the beginning of a transcript. Creating a data list, a spreadsheet th" +"at collects all your item-level metadata under key categories, will help you a" +"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." msgstr "" msgid "" -"Describe the requirements needed to support th" -"e software/technology used in the study. This may include: types of operating " -"systems, type of server required, infrastructure necessary to run the program " -"(e.g., SQL database), and the types of devices this software/technology can be" -" used with (e.g., web, mobile)." +"Creating metadata should not be left to the en" +"d of your project. A plan that lays out how, when, where, and by whom metadata" +" will be captured during your project will help ensure your metadata is accura" +"te, consistent, and complete. You can draw metadata from files you have alread" +"y created or will create for your project (e.g., proposals, notebooks, intervi" +"ew guides, file properties of digital images). If your arts-based methods shif" +"t during your project, make sure to record these changes in your metadata. The" +" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" +"on markers)." msgstr "" msgid "" -"Consider what information might be useful to a" -"ccompany your software/technology if you were to share it with someone else. E" -"xamples may include documented code, user testing procedures, etc. This guide " -"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." -msgstr "" - -msgid "" -"Consider the software/technology development p" -"hase and indicate any instructions that will accompany the program. Examples m" -"ight include test-first development procedures, user acceptance testing measur" -"es, etc." -msgstr "" - -msgid "" -"Include information about any programs or step" -"s you will use to track the changes made to program source code. Examples migh" -"t include utilizing source control systems such as Git or Subversion to trac" -"k changes and manage library dependencies." +"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" +"tc., and for how long this storage will need to be active. Take into account f" +"ile size, file versions, backups, and the growth of your data, if you will cre" +"ate and/or collect data over several months or years." msgstr "" msgid "" -"Describe any plans to continue maintaining sof" -"tware/technology after project completion. Use this section to either describe" -" the ongoing support model, the intention to engage with industry, or plan to " -"apply for future funding." +"

Digital data can be stored on optical or ma" +"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" +"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" +"). Each storage method has pros and cons you should consider. Having multiple " +"copies of your data and not storing them all in the same physical location red" +"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" +" three copies of your data; store the copies on two different media; keep one " +"backup copy offsite. A regular backup schedule reduces the risk of losing rece" +"nt versions of your data. 

\n" +"Securely accessible servers or cloud-based env" +"ironments with regular backup processes are recommended for your offsite backu" +"p copy; however, you should know about the consequences of storing your data o" +"utside of Canada, especially in relation to privacy. Data stored in different " +"countries is subject to their laws, which may differ from those in Canada. Ens" +"ure your data storage and backup methods align with any requirements of your f" +"under, institution, and research ethics office. Read more on storage and backu" +"p practices at the U" +"niversity of Sheffield Library and UK Data Service" msgstr "" msgid "" -"Include information about how the software/tec" -"hnology will remain secure over time. Elaborate on any encryption measures or " -"monitoring that will take place while maintaining the software/technology. " +"Many universities offer networked file storage" +" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" +"utions a modest amount of storage and other cloud resources for free. Contact " +"your institution’s IT services to find out what secure data storage serv" +"ices are available to you." msgstr "" msgid "" -"List the copyright holder of the software/tech" -"nology. See the Copyri" -"ght Guide for Scientific Software f" -"or reference." +"Describe how you will store your non-digital d" +"ata and what you will need to do so (e.g., physical space, equipment, special " +"conditions). Include where you will store these data and for how long. Ensure " +"your storage methods for non-digital data align with any requirements of your " +"funder, institution, and research ethics office." msgstr "" msgid "" -"Describe the license chosen for the software/t" -"echnology and its intended use. See list of license options here. " +"

Research team members, other collaborators," +" participants, and independent contractors (e.g., transcriptionists, videograp" +"hers) are examples of individuals who can transfer, access, and modify data in" +" your project, often from different locations. Ideally, a strategy for these a" +"ctivities facilitates cooperation, ensures data security, and can be adopted w" +"ith minimal instructions or training. If applicable, your strategy should addr" +"ess how raw data from portable recording devices will be transferred to your p" +"roject database (e.g., uploading raw video data within 48 hours, then erasing " +"the camera).

\n" +"

Relying on email to transfer data is not a " +"robust or secure solution, especially for exchanging large files or artwork, t" +"ranscripts, and other data with sensitive information. Third-party commercial " +"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" +"ls, but may not be permanent or secure, and are often located outside Canada. " +"Contact your librarian and IT services to develop a solution for your project." +"

" msgstr "" msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the software/technology. If working with developers, computer scientists" -", or programmers outside your immediate team, provide their information as wel" -"l." +"

Preservation means storing data in ways tha" +"t make them accessible and reuseable to you and others long after your project" +" ends (for more, see Ghent " +"University). Many factors inform pr" +"eservation, including policies of funding agencies and academic publishers, an" +" understanding of the enduring value of a dataset, and ethical frameworks info" +"rming a project (e.g., making artwork co-created with community members access" +"ible to their community). 

\n" +"Creating a “living will” for your " +"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" +"ing how future researchers, artists, and others will be able to access and reu" +"se your data. If applicable, consider the needs of participants and collaborat" +"ors who will co-create and/or co-own artwork and other data. Your “livin" +"g will” can address where you will store your data, how they will be acc" +"essed, how long they will be accessible for, and how much digital storage spac" +"e you will need." msgstr "" msgid "" -"Indicate the steps that are required to formal" -"ly approve a release of software/technology. " +"Deposit in a data repository is one way to pre" +"serve your data, but keep in mind that not all repositories have a preservatio" +"n mandate. Many repositories focus on sharing data, not preserving them, meani" +"ng they will store and make your data accessible for a few years, but not long" +" term. It can be difficult to distinguish repositories with preservation servi" +"ces from those without, so carefully read the policies of repositories you are" +" considering for preservation and, if possible, before your project begins. If" +" you need or want to place special conditions on your data, check if the repos" +"itory will accommodate them and, if so, get written confirmation. Read more on" +" choosing a repository at OpenAIRE." msgstr "" msgid "" -"Describe who the intended users are of the sof" -"tware/technology being developed. " +"

Data repositories labelled as “truste" +"d” or “trustworthy” indicate they have met high standards fo" +"r receiving, storing, accessing, and preserving data through an external certi" +"fication process. Two certifications are Trustworthy Digital Repository an" +"d CoreTrustSeal

" +" \n" +"A repository that lacks certification may stil" +"l be a valid preservation option. Many established repositories in Canada have" +" not gone through a certification process yet. For repositories without certif" +"ication, you can evaluate their quality by comparing their policies to the sta" +"ndards of a certification. Read more on trusted data repositories at the University" +" of Edinburgh and OpenAIRE." msgstr "" msgid "" -"Describe the specific elements of the software" -"/technology that will be made available at the completion of the study. If the" -" underlying code will also be shared, please specify. " +"Open file formats are considered preservation-" +"friendly because of their accessibility. Proprietary file formats are not opti" +"mal for preservation because they can have accessibility barriers (e.g., needi" +"ng specialized licensed software to open). Keep in mind that preservation-frie" +"ndly files converted from one format to another may lose information (e.g., co" +"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" +"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." msgstr "" msgid "" -"Describe any restrictions that may prohibit th" -"e release of software/technology. Examples may include commercial restrictions" -", patent restrictions, or intellectual property rules under the umbrella of an" -" academic institution." +"Converting to preservation-friendly file forma" +"ts, checking for unintended changes to files, confirming metadata is complete," +" and gathering supporting documents are practices, among others, that will hel" +"p ensure your data are ready for preservation." msgstr "" msgid "" -"Provide the location of where you intend to sh" -"are your software/technology (e.g., app store, lab website, an industry partne" -"r). If planning to share underlying code, please indicate where that may be av" -"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." +"Sometimes non-digital data cannot be digitized" +" or practical limitations (e.g., cost) prevent them from being digitized. If y" +"ou want others to access and reuse your non-digital data, consider where they " +"will be stored, how they will be accessed, and how long they will be accessibl" +"e for. Sometimes, you can deposit your data in an archive, which will take res" +"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" +"er community centre) take responsibility for preservation, describe how your n" +"on-digital data will be protected from physical deterioration over time. Make " +"sure to incorporate non-digital data into the “living will” for yo" +"ur data. Contact the archives at your institution for help developing a preser" +"vation strategy for non-digital data. Read more on preserving non-digital data" +" at Radboud University." msgstr "" msgid "" -"Please describe the types of data you will gat" -"her across all phases of your study. Examples may include, but are not limited" -" to data collected from surveys, interviews, personas or user stories, images," -" user testing, usage data, audio/video recordings, etc." +"Certain data may not have long-term value, may" +" be too sensitive for preservation, or must be destroyed due to data agreement" +"s. Deleting files from your computer is not a secure method of data disposal. " +"Contact your IT services, research ethics office, and/or privacy office to fin" +"d out how you can securely destroy your data. Read more on secure data disposa" +"l at UK Data Service." msgstr "" msgid "" -"If you will be combining original research dat" -"a with existing licensed, restricted, or previously used research data, descri" -"be those data here. Provide the name, location, and date of the dataset(s) use" -"d. " +"

Your shared data can be in different forms:" +"

\n" +"
    \n" +"
  • Raw data are the original, unaltered data obtained directly from data collect" +"ion methods (e.g., image files from cameras, audio files from digital recorder" +"s). In the context of your project, published data you reuse count as raw data" +".
  • \n" +"
  • Processed data are raw data that have been modified to, for example, prepare " +"for analysis (e.g., removing video that will not be analyzed) or de-identify p" +"articipants (e.g., blurring faces, cropping, changing voices). 
  • \n" +"
  • Analyzed data are the results of arts-based, qualitative, or quantitative ana" +"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" +"ams, graphs, charts, and statistical tables.
  • \n" +"
  • Final data are copies of " +"raw, processed, or analyzed data you are no longer working with. These copies " +"may have been migrated or transformed from their original file formats into pr" +"eservation-friendly formats.
  • \n" +"
" msgstr "" msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, assessment scales, or persona guides. If us" -"ing a pre-existing instrument or scale from another study, provide the citatio" -"n(s) in this section." +"Sharing means making your data available to pe" +"ople outside your project (for more, see Ghent University and Iowa State University)." +" Of all the types of data you will create and/or collect (e.g., artwork, field" +" notes), consider which ones you need to share to fulfill institutional or fun" +"ding policies, the ethical framework of your project, and other requirements a" +"nd considerations. You generally need participant consent to share data, and y" +"our consent form should state how your data will be shared, accessed, and reus" +"ed." msgstr "" msgid "" -"Indicate how frequently you will be collecting" -" data from participants. For example, if you are conducting a series of user t" -"ests with the same participants each time, indicate the frequency here." +"Describe which forms of data (e.g., raw, proce" +"ssed) you will share with restricted access due to confidentiality, privacy, i" +"ntellectual property, and other legal or ethical considerations and requiremen" +"ts. Remember to inform participants of any restrictions you will implement to " +"protect their privacy and to state them on your consent form. Read more on res" +"tricted access at University of Yo" +"rk." msgstr "" msgid "" -"Indicate the broader geographic location and s" -"etting where data will be gathered." +"

List the owners of the data in your project" +" (i.e., those who hold the intellectual property rights), such as you, collabo" +"rators, participants, and the owners of published data you will reuse. Conside" +"r how ownership will affect the sharing and reuse of data in your project. For" +" example, existing licenses attached to copyrighted materials that you, collab" +"orators, or participants incorporate into new artwork may prevent its sharing " +"or allow it with conditions, like creator attribution, non-commercial use, and" +" restricted access.

" msgstr "" msgid "" -"Utilize this section to include a descriptive " -"overview of the procedures involved in the data collection process. This may i" -"nclude but not be limited to recruitment, screening, information dissemination" -", and the phases of data collection (e.g., participant surveys, user acceptanc" -"e testing, etc.). " +"Several types of standard licenses are availab" +"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" +"andard license rather than a custom-made one. If you make your data part of th" +"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" +" Curation Centre. " msgstr "" msgid "" -"Include the name and version of any software p" -"rograms used to collect data in the study. If homegrown software/technology is" -" being used, describe it and list any dependencies associated with running tha" -"t program." +"Include a copy of your end-user license here. " +"Licenses set out how others can use your data. Funding agencies and/or data re" +"positories may have end-user license requirements in place; if not, they may b" +"e able to guide you in developing a license. Only the intellectual property ri" +"ghts holder(s) of the data you want to share can issue a license, so it is cru" +"cial to clarify who holds those rights. Make sure the terms of use of your end" +"-user license fulfill any legal and ethical obligations you have (e.g., consen" +"t forms, copyright, data sharing agreements, etc.)." msgstr "" msgid "" -"List any of the output files formats from the " -"software programs listed above." +"Many Canadian postsecondary institutions use D" +"ataverse, a popular data repository platform for survey data and qualitative t" +"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" +"s, built-in data citations, file versioning, customized terms of use, and assi" +"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" +" identifier that provides a stable link to your data. Try to choose repositori" +"es that assign persistent identifiers. Contact your institution’s librar" +"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" +"ble to you, or for help locating another repository that meets your needs. You" +" can also check out re3data.org, a dire" +"ctory of data repositories that includes arts-specific ones.
" msgstr "" msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. An example of this might include your a" -"udit trails or versioning systems that you will follow iterations of the data " -"during the analysis process." +"

Researchers can find data through data repo" +"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" +"r data through a data repository is recommended because it enhances the discov" +"erability of your data in the research community. You can also cite your depos" +"ited data the same way you would cite a publication, by including a link in th" +"e citation. Read more on data citation at UK Data Service<" +"/span> and Digi" +"tal Curation Centre \n" +"

The best ways to let artists and the public" +" know about your data may not mirror those of researchers. Social media, artis" +"tic organizations, and community partners may be options. For more help making" +" your data findable, contact your institution’s library or the Portage D" +"MP Coordinator at support@portagene" +"twork.ca.  

" msgstr "" msgid "" -"Describe the software you will use to perform " -"any data analysis tasks associated with your study, along with the version of " -"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." +"

Research data management is often a shared " +"responsibility, which can involve principal investigators, co-investigators, c" +"ollaborators, graduate students, data repositories, etc. Describe the roles an" +"d responsibilities of those who will carry out the activities of your data man" +"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" +"o can conduct these activities in relation to data management expertise, time " +"commitment, training needed to carry out tasks, and other factors.

" msgstr "" msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx)." +"Expected and unexpected changes to who manages" +" data during your project (e.g., a student graduates, research staff turnover)" +" and after (e.g., retirement, death, agreement with data repository ends) can " +"happen. A succession plan details how research data management responsibilitie" +"s will transfer to other individuals or organizations. Consider what will happ" +"en if the principal investigator, whether you or someone else, leaves the proj" +"ect. In some instances, a co-investigator or the department or division overse" +"eing your project can assume responsibility. Your post-project succession plan" +" can be part of the “living will” for your data." msgstr "" msgid "" -"Include any code or coding schemes used to per" -"form data analysis. Examples in this section could include codebooks for analy" -"zing interview transcripts from user testing, code associated with the functio" -"nal/non-functional requirements of the software/technology program, or analyti" -"cal frameworks used for evaluation." +"Know what resources you will need for research" +" data management during and after your project and their estimated cost as ear" +"ly as possible. For example, transcription, training for research team members" +", digitizing artwork, cloud storage, and depositing your data in a repository " +"can all incur costs. Many funding agencies provide financial support for data " +"management, so check what costs they will cover. Read more on costing data man" +"agement at Digital Curati" +"on Centre and OpenAIRE." msgstr "" msgid "" -"Use this section to describe any quality revie" -"w schedules, double coding measures, inter-rater reliability, quality review s" -"chedules, etc. that you intend to implement in your study." +"Research data management policies can be set b" +"y funders, postsecondary institutions, legislation, communities of researchers" +", and research data management specialists. List policies relevant to managing" +" your data, including those of your institution and the Tri-Agency Research Da" +"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" +"inks to these policies. " msgstr "" msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, personas, user testing procedures, data collection " -"instruments, or software dependencies, etc.)." +"

Compliance with privacy and copyright law i" +"s a common issue in ABR and may restrict what data you can create, collect, pr" +"eserve, and share. Familiarity with Canadian copyright law is especially impor" +"tant in ABR (see Copyright Act of Canada, Can" +"adian Intellectual Property Office," +" Éducaloi, and Artists’ Legal Out" +"reach). Obtaining permissions is ke" +"y to managing privacy and copyright compliance and will help you select or dev" +"elop an end-user license. 

\n" +"It is also important to know about ethical and" +" legal issues pertaining to the cultural context(s) in which you do ABR. For e" +"xample, Indigenous data sovereignty and governance are essential to address in" +" all aspects of research data management in projects with and affecting First " +"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" +"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" +"xperts at your institution can help you address ethical and legal issues, such" +" as those at your library, privacy office, research ethics office, or copyrigh" +"t office." msgstr "" msgid "" -"Describe the target population for which the s" -"oftware/technology is being developed (i.e., end users)." +"Obtaining permissions to create, document, and" +" use artwork in ABR can be complex when, for example, non-participants are dep" +"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" +"ved from other copyrighted work (e.g., collages made of photographs, remixed s" +"ongs). Consider creating a plan describ" +"ing how you will obtain permissions for your project. It should include what y" +"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" +" permission is needed for what you want to do; and, if granted, what the condi" +"tions are. " msgstr "" msgid "" -"Describe the processes used to sample the popu" -"lation (e.g., convenience, snowball, purposeful, etc.)." +"Security measures for sensitive data include p" +"assword protection, encryption, and limiting physical access to storage device" +"s. Sensitive data should never be shared via email or cloud storage services n" +"ot approved by your research ethics office. Security measures for sensitive no" +"n-digital data include storage under lock and key, and logging removal and ret" +"urn of artwork from storage." msgstr "" msgid "" -"For any data gathered, list the variables bein" -"g studied. For each variable, include the variable name, explanatory informati" -"on, variable type, and values associated with each variable. Examples may incl" -"ude demographic characteristics of stakeholders, components of the software/te" -"chnology program’s functional and nonfunctional requirements, etc. See g" -"uidance on how to create a" -" data dictionary." +"

Sensitive data is any data that may negativ" +"ely impact individuals, organizations, communities, institutions, and business" +"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" +", and personal identifiers in artwork or its documentation can be examples of " +"sensitive data in ABR. Your data security measures should be proportional to t" +"he sensitivity of your data: the more sensitive your data, the more data secur" +"ity you need. Read more on sensitive da" +"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" +"rd, OpenAIRE" +", and U" +"K Data Service.

" msgstr "" msgid "" -"Create a glossary of all acronyms or abbreviat" -"ions used within your study. " +"Removing direct and indirect identifiers from " +"data is a common strategy to manage sensitive data. However, some strategies t" +"o remove identifiers in images, audio, and video also remove information of va" +"lue to others (e.g., facial expressions, context, tone of voice). Consult your" +" research ethics office to find out if solutions exist to retain such informat" +"ion. Read more on de-identifying data at UBC Library and UK Data Service." msgstr "" msgid "" -"Provide an estimate of how much data you will " -"collect for all data in the form of terabytes, gigabytes, or megabytes as need" -"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" -"equired for video files, 500 MB for survey data). " +"

Sensitive data can still be shared and reus" +"ed if strategies are in place to protect against unauthorized disclosure and t" +"he problems that can rise from it. Obtain the consent of participants to share" +" and reuse sensitive data beyond your project. Your consent form should state " +"how sensitive data will be protected when shared, accessed, and reused. Strate" +"gies to reduce the risk of public disclosure are de-identifying data and imple" +"menting access restrictions on deposited data. Make sure to address types of s" +"ensitive data beyond personal identifiers of participants. Your strategies sho" +"uld align with requirements of your research ethics office, institution, and, " +"if applicable, legal agreements for sharing data. Consult your research ethics" +" office if you need help identifying problems and strategies.

" msgstr "" msgid "" -"Indicate where and how data will be stored dur" -"ing data collection. Examples may include storing data in secure, password pro" -"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" -"p), hard copies stored in locked filing cabinets, external hard drives, etc." +"Examples of research data management policies that may be in place include tho" +"se set forth by funders, post secondary institutions, legislation, and communi" +"ties.
\n" +"

Examples of these might include: 

\n" +"" msgstr "" msgid "" -"If different from above, indicate where data i" -"s stored during the data analysis process. If data is being sent to external l" -"ocations for analysis by a statistician, describe that process here." +"Having a clear understanding of all the data that you will collect or use with" +"in your project will help with planning for their management.

Incl" +"ude a general description of each type of data related to your project, includ" +"ing the formats that they will be collected in, such as audio or video files f" +"or qualitative interviews and focus groups and survey collection software or f" +"ile types.

As well, provide any additional details that may be help" +"ful, such as the estimated length (number of survey variables/length of interv" +"iews) and quantity (number of participants to be interviewed) both of surveys " +"and interviews." msgstr "" msgid "" -"Indicate the security measures used to protect" -" participant identifying data. Examples may include storing informed consent f" -"orms separately from anonymized data, password protecting files, locking unuse" -"d computers, and restricting access to data that may contain identifying infor" -"mation. " -msgstr "" - -msgid "" -"List any specific file naming conventions used" -" throughout the study. Provide examples of this file naming convention in the " -"text indicating the context for each part of the file name. See file naming gu" -"idance here<" -"/span>." -msgstr "" - -msgid "" -"Describe how your study data will be regularly" -" saved, backed up, and updated. If using institutional servers, consult with y" -"our Information Technology department to find out how frequently data is backe" -"d up." -msgstr "" - -msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how informed consent is collected, and" -" at which phases of the data collection process. Examples include steps to gai" -"n written or verbal consent, re-establishing consent at subsequent points of c" -"ontact, etc. " -msgstr "" - -msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations were studied, outline specific guidelines that are being follow" -"ed to protect participants (e.g., " -"OCAP, community advisory boards, et" -"c.)." -msgstr "" - -msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by a funder" -", institution, collaboration or commercial agreement. " -msgstr "" - -msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include personnel, sto" -"rage requirements, software, hardware, etc." -msgstr "" - -msgid "" -"Provide the name(s), affiliation, and contact " -"information for the main study contact." -msgstr "" - -msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the study data. " -msgstr "" - -msgid "" -"Describe who the intended users are of the dat" -"a. Consider that those who would benefit most from your data may differ from t" -"hose who would benefit from the software/technology developed. " -msgstr "" - -msgid "" -"Outline the specific data that can be shared a" -"t the completion of the study. Be specific about the data (e.g., from surveys," -" user testing, app usage, interviews, etc.) and what can be shared." -msgstr "" - -msgid "" -"Describe any restrictions that may prohibit th" -"e sharing of data. Examples may include holding data that has confidentiality," -" license, or intellectual property restrictions, are beholden to funder requir" -"ements, or are subject to a data use agreement." -msgstr "" - -msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, via community approval, or through you" -"r Research Ethics Board." -msgstr "" - -msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, an external data reposit" -"ory, a secure institutional compute" -"r storage, or an external hard drive)." -msgstr "" - -msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation and contact in" -"formation." -msgstr "" - -msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened. " -"Describe the process for migrating your data formats here." -msgstr "" - -msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include but are not limited to shredding physical d" -"ocuments, making data unretrievable with support from your Information Technol" -"ogy department, or personal measures to eliminate data files." -msgstr "" - -msgid "" -"Drawings, songs, poems, films, short stories, " -"performances, interactive installations, and social experiences facilitated by" -" artists are examples of data. Data on " -"artistic processes can include documentation of techniques, stages, and contex" -"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" -"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" -" create artwork. Other types of data ar" -"e audio recordings of interviews, transcripts, photographs, videos, field note" -"s, historical documents, social media posts, statistical spreadsheets, and com" -"puter code." -msgstr "" - -msgid "" -"Artwork is a prominent type of data in ABR tha" -"t is commonly used as content for analysis and interpretation. Artworks that e" -"xist as, or are documented in, image, audio, video, text, and other types of d" -"igital files facilitate research data management. The same applies to preparat" -"ory, supplemental, and discarded artworks made in the creation of a principal " -"one. Research findings you create in the form of artwork can be treated as dat" -"a if you will make them available for researchers, artists, and/or the public " -"to use as data. Information about artistic processes can also be data. Read mo" -"re on artwork and artistic processes as data at Kultur II Group and Jisc." -msgstr "" - -msgid "" -"Researchers and artists can publish their data" -" for others to reuse. Research data repositories and government agencies are s" -"ources of published data (e.g., Federated Research Data Repository, Statistics Canada). Your university may have its own research data repo" -"sitory. Academic journals may host published data as supplementary material co" -"nnected to their articles. If you need help finding resources for published da" -"ta, contact your institution’s library or reach out to the Portage DMP C" -"oordinator at support@portagenetwor" -"k.ca." -msgstr "" - -msgid "" -"Non-digital data should be digitized when poss" -"ible. Digitization is needed for many reasons, including returning artwork to " -"participants, creating records of performances, and depositing data in a repos" -"itory for reuse. When planning your documentation, consider what conditions (e" -".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," -" software (e.g., video editing program), and specialized skills (e.g., filming" -" techniques, image-editing skills) you will need. High quality documentation w" -"ill make your data more valuable to you and others." -msgstr "" - -msgid "" -"

Open (i.e., non-proprietary) file formats a" -"re preferred when possible because they can be used by anyone, which helps ens" -"ure others can access and reuse your data in the future. However, proprietary " -"file formats may be necessary for certain arts-based methods because they have" -" special capabilities for creating and editing images, audio, video, and text." -" If you use proprietary file formats, try to select industry-standard formats " -"(i.e., those widely used by a given community) or those you can convert to ope" -"n ones. UK Data Service<" -"/a> provides a table of recommended and accept" -"able file formats for various types of data.

-\n" -"
Original files of artwork and its docume" -"ntation should be in uncompressed file formats to maximize data quality. Lower" -" quality file formats can be exported from the originals for other purposes (e" -".g., presentations). Read more on file formats at
UBC Library or UK Data Service." -msgstr "" - -msgid "" -"Good data organization includes logical folder" -" hierarchies, informative and consistent naming conventions, and clear version" -" markers for files. File names should contain information (e.g., date stamps, " -"participant codes, version numbers, location, etc.) that helps you sort and se" -"arch for files and identify the content and right versions of files. Version c" -"ontrol means tracking and organizing changes to your data by saving new versio" -"ns of files you modified and retaining the older versions. Good data organizat" -"ion practices minimize confusion when changes to data are made across time, fr" -"om different locations, and by multiple people. Read more on file naming and v" -"ersion control at UBC Library, University of Leicester," -" and UK Data Service." -msgstr "" - -msgid "" -"A poem written to analyze a transcript could b" -"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " -"the interview with participant 05. Revisions to the poem could be marked with " -"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." -msgstr "" - -msgid "" -"Project-level metadata can include basic infor" -"mation about your project (e.g., title, funder, principal investigator, etc.)," -" research design (e.g., background, research questions, aims, artists or artwo" -"rk informing your project, etc.) and methodology (e.g., description of artisti" -"c process and materials, interview guide, transcription process, etc.). Item-l" -"evel metadata should include basic information about artworks and their docume" -"ntation (e.g., creator, date, subject, copyright, file format, equipment used " -"for documentation, etc.)." -msgstr "" - -msgid "" -"

Cornell University defines metadata as “documentation that describes data” " -"(see also Concordia University Library). Creating good metadata includes providing inf" -"ormation about your project as well as each item in your database, and any oth" -"er contextual information needed for you and others to interpret and reuse you" -"r data in the future. CESSDA and UK Data Service<" -"/a> provide examples of project- and item-leve" -"l metadata. Because arts-based methods tend to be customized and fluid, descri" -"bing them in your project-level metadata is important.

" -msgstr "" - -msgid "" -"Dublin Core and DDI are two widely used general metadata standards. Disc" -"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" -" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" -"tadata standards they use." -msgstr "" - -msgid "" -"A metadata standard is a set of established ca" -"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" -"ne-readable, which is essential for depositing data in repositories and making" -" them easily discoverable by search engines. While no specific metadata standa" -"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" -"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" -"ntact your institution’s library or reach out to the Portage DMP Coordin" -"ator at support@portagenetwork.ca." -msgstr "" - -msgid "" -"One way to record metadata is to place it in a" -" separate text file (i.e., README file) that will accompany your data and to u" -"pdate it throughout your project. Cornell University provides a README file template you can " -"adapt. You can also embed item-level metadata in certain files, such as placin" -"g contextual information and participant details for an interview in a summary" -" page at the beginning of a transcript. Creating a data list, a spreadsheet th" -"at collects all your item-level metadata under key categories, will help you a" -"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." -msgstr "" - -msgid "" -"Creating metadata should not be left to the en" -"d of your project. A plan that lays out how, when, where, and by whom metadata" -" will be captured during your project will help ensure your metadata is accura" -"te, consistent, and complete. You can draw metadata from files you have alread" -"y created or will create for your project (e.g., proposals, notebooks, intervi" -"ew guides, file properties of digital images). If your arts-based methods shif" -"t during your project, make sure to record these changes in your metadata. The" -" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" -"on markers)." -msgstr "" - -msgid "" -"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" -"tc., and for how long this storage will need to be active. Take into account f" -"ile size, file versions, backups, and the growth of your data, if you will cre" -"ate and/or collect data over several months or years." -msgstr "" - -msgid "" -"

Digital data can be stored on optical or ma" -"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" -"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" -"). Each storage method has pros and cons you should consider. Having multiple " -"copies of your data and not storing them all in the same physical location red" -"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" -" three copies of your data; store the copies on two different media; keep one " -"backup copy offsite. A regular backup schedule reduces the risk of losing rece" -"nt versions of your data. 

-\n" -"Securely accessible servers or cloud-based env" -"ironments with regular backup processes are recommended for your offsite backu" -"p copy; however, you should know about the consequences of storing your data o" -"utside of Canada, especially in relation to privacy. Data stored in different " -"countries is subject to their laws, which may differ from those in Canada. Ens" -"ure your data storage and backup methods align with any requirements of your f" -"under, institution, and research ethics office. Read more on storage and backu" -"p practices at the U" -"niversity of Sheffield Library and UK Data Service" -msgstr "" - -msgid "" -"Many universities offer networked file storage" -" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" -"utions a modest amount of storage and other cloud resources for free. Contact " -"your institution’s IT services to find out what secure data storage serv" -"ices are available to you." -msgstr "" - -msgid "" -"Describe how you will store your non-digital d" -"ata and what you will need to do so (e.g., physical space, equipment, special " -"conditions). Include where you will store these data and for how long. Ensure " -"your storage methods for non-digital data align with any requirements of your " -"funder, institution, and research ethics office." -msgstr "" - -msgid "" -"

Research team members, other collaborators," -" participants, and independent contractors (e.g., transcriptionists, videograp" -"hers) are examples of individuals who can transfer, access, and modify data in" -" your project, often from different locations. Ideally, a strategy for these a" -"ctivities facilitates cooperation, ensures data security, and can be adopted w" -"ith minimal instructions or training. If applicable, your strategy should addr" -"ess how raw data from portable recording devices will be transferred to your p" -"roject database (e.g., uploading raw video data within 48 hours, then erasing " -"the camera).

-\n" -"

Relying on email to transfer data is not a " -"robust or secure solution, especially for exchanging large files or artwork, t" -"ranscripts, and other data with sensitive information. Third-party commercial " -"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" -"ls, but may not be permanent or secure, and are often located outside Canada. " -"Contact your librarian and IT services to develop a solution for your project." -"

" -msgstr "" - -msgid "" -"

Preservation means storing data in ways tha" -"t make them accessible and reuseable to you and others long after your project" -" ends (for more, see Ghent " -"University). Many factors inform pr" -"eservation, including policies of funding agencies and academic publishers, an" -" understanding of the enduring value of a dataset, and ethical frameworks info" -"rming a project (e.g., making artwork co-created with community members access" -"ible to their community). 

-\n" -"Creating a “living will” for your " -"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" -"ing how future researchers, artists, and others will be able to access and reu" -"se your data. If applicable, consider the needs of participants and collaborat" -"ors who will co-create and/or co-own artwork and other data. Your “livin" -"g will” can address where you will store your data, how they will be acc" -"essed, how long they will be accessible for, and how much digital storage spac" -"e you will need." -msgstr "" - -msgid "" -"Deposit in a data repository is one way to pre" -"serve your data, but keep in mind that not all repositories have a preservatio" -"n mandate. Many repositories focus on sharing data, not preserving them, meani" -"ng they will store and make your data accessible for a few years, but not long" -" term. It can be difficult to distinguish repositories with preservation servi" -"ces from those without, so carefully read the policies of repositories you are" -" considering for preservation and, if possible, before your project begins. If" -" you need or want to place special conditions on your data, check if the repos" -"itory will accommodate them and, if so, get written confirmation. Read more on" -" choosing a repository at OpenAIRE." -msgstr "" - -msgid "" -"

Data repositories labelled as “truste" -"d” or “trustworthy” indicate they have met high standards fo" -"r receiving, storing, accessing, and preserving data through an external certi" -"fication process. Two certifications are Trustworthy Digital Repository an" -"d CoreTrustSeal

" -" -\n" -"A repository that lacks certification may stil" -"l be a valid preservation option. Many established repositories in Canada have" -" not gone through a certification process yet. For repositories without certif" -"ication, you can evaluate their quality by comparing their policies to the sta" -"ndards of a certification. Read more on trusted data repositories at the University" -" of Edinburgh and OpenAIRE." -msgstr "" - -msgid "" -"Open file formats are considered preservation-" -"friendly because of their accessibility. Proprietary file formats are not opti" -"mal for preservation because they can have accessibility barriers (e.g., needi" -"ng specialized licensed software to open). Keep in mind that preservation-frie" -"ndly files converted from one format to another may lose information (e.g., co" -"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" -"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." -msgstr "" - -msgid "" -"Converting to preservation-friendly file forma" -"ts, checking for unintended changes to files, confirming metadata is complete," -" and gathering supporting documents are practices, among others, that will hel" -"p ensure your data are ready for preservation." -msgstr "" - -msgid "" -"Sometimes non-digital data cannot be digitized" -" or practical limitations (e.g., cost) prevent them from being digitized. If y" -"ou want others to access and reuse your non-digital data, consider where they " -"will be stored, how they will be accessed, and how long they will be accessibl" -"e for. Sometimes, you can deposit your data in an archive, which will take res" -"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" -"er community centre) take responsibility for preservation, describe how your n" -"on-digital data will be protected from physical deterioration over time. Make " -"sure to incorporate non-digital data into the “living will” for yo" -"ur data. Contact the archives at your institution for help developing a preser" -"vation strategy for non-digital data. Read more on preserving non-digital data" -" at Radboud University." -msgstr "" - -msgid "" -"Certain data may not have long-term value, may" -" be too sensitive for preservation, or must be destroyed due to data agreement" -"s. Deleting files from your computer is not a secure method of data disposal. " -"Contact your IT services, research ethics office, and/or privacy office to fin" -"d out how you can securely destroy your data. Read more on secure data disposa" -"l at UK Data Service." -msgstr "" - -msgid "" -"

Your shared data can be in different forms:" -"

-\n" -"
    -\n" -"
  • Raw data are the original, unaltered data obtained directly from data collect" -"ion methods (e.g., image files from cameras, audio files from digital recorder" -"s). In the context of your project, published data you reuse count as raw data" -".
  • -\n" -"
  • Processed data are raw data that have been modified to, for example, prepare " -"for analysis (e.g., removing video that will not be analyzed) or de-identify p" -"articipants (e.g., blurring faces, cropping, changing voices). 
  • -\n" -"
  • Analyzed data are the results of arts-based, qualitative, or quantitative ana" -"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" -"ams, graphs, charts, and statistical tables.
  • -\n" -"
  • Final data are copies of " -"raw, processed, or analyzed data you are no longer working with. These copies " -"may have been migrated or transformed from their original file formats into pr" -"eservation-friendly formats.
  • -\n" -"
" -msgstr "" - -msgid "" -"Sharing means making your data available to pe" -"ople outside your project (for more, see Ghent University and Iowa State University)." -" Of all the types of data you will create and/or collect (e.g., artwork, field" -" notes), consider which ones you need to share to fulfill institutional or fun" -"ding policies, the ethical framework of your project, and other requirements a" -"nd considerations. You generally need participant consent to share data, and y" -"our consent form should state how your data will be shared, accessed, and reus" -"ed." -msgstr "" - -msgid "" -"Describe which forms of data (e.g., raw, proce" -"ssed) you will share with restricted access due to confidentiality, privacy, i" -"ntellectual property, and other legal or ethical considerations and requiremen" -"ts. Remember to inform participants of any restrictions you will implement to " -"protect their privacy and to state them on your consent form. Read more on res" -"tricted access at University of Yo" -"rk." -msgstr "" - -msgid "" -"

List the owners of the data in your project" -" (i.e., those who hold the intellectual property rights), such as you, collabo" -"rators, participants, and the owners of published data you will reuse. Conside" -"r how ownership will affect the sharing and reuse of data in your project. For" -" example, existing licenses attached to copyrighted materials that you, collab" -"orators, or participants incorporate into new artwork may prevent its sharing " -"or allow it with conditions, like creator attribution, non-commercial use, and" -" restricted access.

" -msgstr "" - -msgid "" -"Several types of standard licenses are availab" -"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" -"andard license rather than a custom-made one. If you make your data part of th" -"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" -" Curation Centre. " -msgstr "" - -msgid "" -"Include a copy of your end-user license here. " -"Licenses set out how others can use your data. Funding agencies and/or data re" -"positories may have end-user license requirements in place; if not, they may b" -"e able to guide you in developing a license. Only the intellectual property ri" -"ghts holder(s) of the data you want to share can issue a license, so it is cru" -"cial to clarify who holds those rights. Make sure the terms of use of your end" -"-user license fulfill any legal and ethical obligations you have (e.g., consen" -"t forms, copyright, data sharing agreements, etc.)." -msgstr "" - -msgid "" -"Many Canadian postsecondary institutions use D" -"ataverse, a popular data repository platform for survey data and qualitative t" -"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" -"s, built-in data citations, file versioning, customized terms of use, and assi" -"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" -" identifier that provides a stable link to your data. Try to choose repositori" -"es that assign persistent identifiers. Contact your institution’s librar" -"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" -"ble to you, or for help locating another repository that meets your needs. You" -" can also check out re3data.org, a dire" -"ctory of data repositories that includes arts-specific ones.
" -msgstr "" - -msgid "" -"

Researchers can find data through data repo" -"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" -"r data through a data repository is recommended because it enhances the discov" -"erability of your data in the research community. You can also cite your depos" -"ited data the same way you would cite a publication, by including a link in th" -"e citation. Read more on data citation at UK Data Service<" -"/span> and Digi" -"tal Curation Centre -\n" -"

The best ways to let artists and the public" -" know about your data may not mirror those of researchers. Social media, artis" -"tic organizations, and community partners may be options. For more help making" -" your data findable, contact your institution’s library or the Portage D" -"MP Coordinator at support@portagene" -"twork.ca.  

" -msgstr "" - -msgid "" -"

Research data management is often a shared " -"responsibility, which can involve principal investigators, co-investigators, c" -"ollaborators, graduate students, data repositories, etc. Describe the roles an" -"d responsibilities of those who will carry out the activities of your data man" -"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" -"o can conduct these activities in relation to data management expertise, time " -"commitment, training needed to carry out tasks, and other factors.

" -msgstr "" - -msgid "" -"Expected and unexpected changes to who manages" -" data during your project (e.g., a student graduates, research staff turnover)" -" and after (e.g., retirement, death, agreement with data repository ends) can " -"happen. A succession plan details how research data management responsibilitie" -"s will transfer to other individuals or organizations. Consider what will happ" -"en if the principal investigator, whether you or someone else, leaves the proj" -"ect. In some instances, a co-investigator or the department or division overse" -"eing your project can assume responsibility. Your post-project succession plan" -" can be part of the “living will” for your data." -msgstr "" - -msgid "" -"Know what resources you will need for research" -" data management during and after your project and their estimated cost as ear" -"ly as possible. For example, transcription, training for research team members" -", digitizing artwork, cloud storage, and depositing your data in a repository " -"can all incur costs. Many funding agencies provide financial support for data " -"management, so check what costs they will cover. Read more on costing data man" -"agement at Digital Curati" -"on Centre and OpenAIRE." -msgstr "" - -msgid "" -"Research data management policies can be set b" -"y funders, postsecondary institutions, legislation, communities of researchers" -", and research data management specialists. List policies relevant to managing" -" your data, including those of your institution and the Tri-Agency Research Da" -"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" -"inks to these policies. " -msgstr "" - -msgid "" -"

Compliance with privacy and copyright law i" -"s a common issue in ABR and may restrict what data you can create, collect, pr" -"eserve, and share. Familiarity with Canadian copyright law is especially impor" -"tant in ABR (see Copyright Act of Canada, Can" -"adian Intellectual Property Office," -" Éducaloi, and Artists’ Legal Out" -"reach). Obtaining permissions is ke" -"y to managing privacy and copyright compliance and will help you select or dev" -"elop an end-user license. 

-\n" -"It is also important to know about ethical and" -" legal issues pertaining to the cultural context(s) in which you do ABR. For e" -"xample, Indigenous data sovereignty and governance are essential to address in" -" all aspects of research data management in projects with and affecting First " -"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" -"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" -"xperts at your institution can help you address ethical and legal issues, such" -" as those at your library, privacy office, research ethics office, or copyrigh" -"t office." -msgstr "" - -msgid "" -"Obtaining permissions to create, document, and" -" use artwork in ABR can be complex when, for example, non-participants are dep" -"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" -"ved from other copyrighted work (e.g., collages made of photographs, remixed s" -"ongs). Consider creating a plan describ" -"ing how you will obtain permissions for your project. It should include what y" -"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" -" permission is needed for what you want to do; and, if granted, what the condi" -"tions are. " -msgstr "" - -msgid "" -"Security measures for sensitive data include p" -"assword protection, encryption, and limiting physical access to storage device" -"s. Sensitive data should never be shared via email or cloud storage services n" -"ot approved by your research ethics office. Security measures for sensitive no" -"n-digital data include storage under lock and key, and logging removal and ret" -"urn of artwork from storage." -msgstr "" - -msgid "" -"

Sensitive data is any data that may negativ" -"ely impact individuals, organizations, communities, institutions, and business" -"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" -", and personal identifiers in artwork or its documentation can be examples of " -"sensitive data in ABR. Your data security measures should be proportional to t" -"he sensitivity of your data: the more sensitive your data, the more data secur" -"ity you need. Read more on sensitive da" -"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" -"rd, OpenAIRE" -", and U" -"K Data Service.

" -msgstr "" - -msgid "" -"Removing direct and indirect identifiers from " -"data is a common strategy to manage sensitive data. However, some strategies t" -"o remove identifiers in images, audio, and video also remove information of va" -"lue to others (e.g., facial expressions, context, tone of voice). Consult your" -" research ethics office to find out if solutions exist to retain such informat" -"ion. Read more on de-identifying data at UBC Library and UK Data Service." -msgstr "" - -msgid "" -"

Sensitive data can still be shared and reus" -"ed if strategies are in place to protect against unauthorized disclosure and t" -"he problems that can rise from it. Obtain the consent of participants to share" -" and reuse sensitive data beyond your project. Your consent form should state " -"how sensitive data will be protected when shared, accessed, and reused. Strate" -"gies to reduce the risk of public disclosure are de-identifying data and imple" -"menting access restrictions on deposited data. Make sure to address types of s" -"ensitive data beyond personal identifiers of participants. Your strategies sho" -"uld align with requirements of your research ethics office, institution, and, " -"if applicable, legal agreements for sharing data. Consult your research ethics" -" office if you need help identifying problems and strategies.

" -msgstr "" - -msgid "" -"Examples of research data management policies that may be in place include tho" -"se set forth by funders, post secondary institutions, legislation, and communi" -"ties.
-\n" -"

Examples of these might include: 

-\n" -"" -msgstr "" - -msgid "" -"Having a clear understanding of all the data that you will collect or use with" -"in your project will help with planning for their management.

Incl" -"ude a general description of each type of data related to your project, includ" -"ing the formats that they will be collected in, such as audio or video files f" -"or qualitative interviews and focus groups and survey collection software or f" -"ile types.

As well, provide any additional details that may be help" -"ful, such as the estimated length (number of survey variables/length of interv" -"iews) and quantity (number of participants to be interviewed) both of surveys " -"and interviews." -msgstr "" - -msgid "" -"

There are many potential sources of existin" -"g data, including research data repositories, research registries, and governm" -"ent agencies. 

-\n" -"

Examples of these include:

-\n" -" -\n" -" -\n" -"
    -\n" -"
  • Research data re" -"positories, such as those listed at " -"re3data.org
  • -\n" -"
-\n" -" -\n" -"

You may also wish to contact the Library at" -" your institution for assistance in searching for any existing data that may b" -"e useful to your research.

" -msgstr "" - -msgid "" -"

Include a description of any methods that y" -"ou will use to collect data, including electronic platforms or paper based met" -"hods. For electronic methods be sure to include descriptions of any privacy po" -"licies as well as where and how data will be stored while within the platform." -"

For an example of a detaile" -"d mixed methods description, see this Portage DMP Exemplar in either English or French" -".

-\n" -"

There are many electronic survey data colle" -"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" -"span style=\"font-weight: 400;\">and " -"where your survey data will be col" -"lected and stored is an essential component of managing your data and ensuring" -" that you are adhering to any security requirements imposed by funders or rese" -"arch ethics boards. 

-\n" -"Additionally, it is important to clearly under" -"stand any security and privacy policies that are in place for any given electr" -"onic platform that you will use for collecting your data  - examples of s" -"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." -msgstr "" - -msgid "" -"

To support transcribing activities within y" -"our research project, it is recommended that you implement a transcribing prot" -"ocol which clearly outlines such things as formatting instructions, a summary " -"of contextual metadata to include, participant and interviewer anonymization, " -"and file naming conventions.

-\n" -"

When outsourcing transcribing services, and" -" especially when collecting sensitive data, it is important to have a confiden" -"tiality agreement in place with transcribers, including a protocol for their d" -"eleting any copies of data once it has been transcribed, transferred, and appr" -"oved. Additionally, you will need to ensure that methods for transferring and " -"storing data align with any applicable funder or institutional requirements.

" -msgstr "" - -msgid "" -"

Transferring of data is a critical stage of" -" the data collection process, and especially so when managing sensitive inform" -"ation. Data transfers may occur:

-\n" -"
    -\n" -"
  • from the field (" -"real world settings)
  • -\n" -"
  • from data provid" -"ers
  • -\n" -"
  • between research" -"ers
  • -\n" -"
  • between research" -"ers & stakeholders
  • -\n" -"
-\n" -"

It is best practice to identify data transf" -"er methods that you will use before" -" your research begins.

-" -"\n" -"

Some risks associated with the transferring" -" of data include loss of data, unintended copies of data files, and data being" -" provided to unintended recipients. You should avoid transferring data using u" -"nsecured methods, such as email. Typical approved methods for transferring dat" -"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" -"proved by your institution. 

-\n" -"

Talk to your local IT support to identify s" -"ecure data transferring methods available to you.

" -msgstr "" - -msgid "" -"

Ensuring that your data files exist in non-" -"proprietary formats helps to ensure that they are able to be easily accessed a" -"nd reused by others in the future.

-\n" -"

Examples of non-proprietary file formats in" -"clude:

-\n" -"

Surveys: CSV" -"; HTML; Unicode Transformation Formats 

-\n" -"

Qualitative interviews:

-\n" -" -\n" -"

For more information and resources pertaini" -"ng to file formats you may wish to visit:

-\n" -"" -msgstr "" - -msgid "" -"

Include a description of the survey codeboo" -"k(s) (data dictionary), as well as how it will be developed and generated. You" -" should also include a description of the interview data that will be collecte" -"d, including any important contextual information and metadata associated with" -" file formats.

-\n" -"

Your documentation may include study-level " -"information about:

-\n" -"
    -\n" -"
  • who created/coll" -"ected the data
  • -\n" -"
  • when it was crea" -"ted
  • -\n" -"
  • any relevant stu" -"dy documents
  • -\n" -"
  • conditions of us" -"e
  • -\n" -"
  • contextual detai" -"ls about data collection methods and procedural documentation about how data f" -"iles are stored, structured, and modified.
  • -\n" -"
-\n" -"

A complete description of the data files ma" -"y include:

-\n" -"
    -\n" -"
  • naming and label" -"ling conventions
  • -\n" -"
  • explanations of " -"codes and variables
  • -\n" -"
  • any information " -"or files required to reproduce derived data.
  • -\n" -"
-\n" -"More information about both general and discip" -"line specific data documentation is available at https://" -"www.dcc.ac.uk/guidance/standards/metadata" -msgstr "" - -msgid "" -"For guidance on file naming conventions please" -" see the University of Edinburgh." -msgstr "" - -msgid "" -"

High quality documentation and metadata hel" -"p to ensure accuracy, consistency, and completeness of your data. It is consid" -"ered best practice to develop and implement protocols that clearly communicate" -" processes for capturing important information throughout your research projec" -"t. Example topics that these protocols " -"might cover include file naming conventions, file versioning, folder structure" -", and both descriptive and structural metadata. 

-\n" -"Researchers and research staff should ideally " -"have the opportunity to contribute to the content of metadata protocols, and i" -"t is additionally useful to consult reg" -"ularly with members of the research team to capture any potential changes in d" -"ata collection/processing that need to be reflected in the documentation." -msgstr "" - -msgid "" -"

Metadata are descriptions of the contents a" -"nd context of data files. Using a metadata standard (a set of required fields " -"to fill out) helps to ensure that your documentation is consistent, structured" -", and machine-readable, which is essential for depositing data in repositories" -" and making it easily discoverable by search engines.

-\n" -"

There are both general and d" -"iscipline-specific metadata standar" -"ds and tools for research data.

-\n" -"

One of the most widely used metadata standa" -"rds for surveys is DDI (Data Documentati" -"on Initiative), a free standard that can document and manage different stages " -"in the research data lifecycle including data collection, processing, distribu" -"tion, discovery and archiving.

-\n" -"For assistance with choosing a metadata standa" -"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " -msgstr "" - -msgid "" -"

Data storage is a critical component of man" -"aging your research data, and secure methods should always be used, especially" -" when managing sensitive data. Storing data on USB sticks, laptops, computers," -" and/or external hard drives without a regular backup procedure in place is no" -"t considered to be best practice due to their being a risk both for data breac" -"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " -"having only one copy, or multiple copies of data stored in the same physical l" -"ocation does little to mitigate risk. 

-\n" -"

Many universities offer networked file stor" -"age which is automatically backed up. Contact your local (e.g., faculty or org" -"anization) and/or central IT services to find out what secure data storage ser" -"vices and resources they are able to offer to support your research project.

-\n" -"Additionally, you may wish to consider investi" -"gating Compute Canad" -"a’s Rapid Access Service whic" -"h provides Principal Investigators at Canadian post-secondary institutions wit" -"h a modest amount of storage and cloud resources at no cost." -msgstr "" - -msgid "" -"

It is important to determine at the early s" -"tages of your research project how members of the research team will appropria" -"tely access and work with data. If researchers will be working with data using" -" their local computers (work or personal) then it is important to ensure that " -"data are securely transferred (see previous question on data transferring), co" -"mputers may need to be encrypted, and that all processes meet any requirements" -" imposed by funders, institutions, and research ethics offices.

-\n" -"

When possible, it can be very advantageous " -"to use a cloud-based environment so that researchers can remotely access and w" -"ork with data, reducing the need for data transferring and associated risks, a" -"s well as unnecessary copies of data existing.

-\n" -"One such cloud environment that is freely avai" -"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " -msgstr "" - -msgid "" -"

Think about all of the data that will be ge" -"nerated, including their various versions, and estimate how much space (e.g., " -"megabytes, gigabytes, terabytes) will be required to store them. <" -"/p> -\n" -"

The type of data you collect, along with th" -"e length of time that you require active storage, will impact the resources th" -"at you require. Textual and tabular data files are usually very small (a few m" -"egabytes) unless you have a lot of data. Video files are usually very large (h" -"undreds of megabytes up to several gigabytes). If you have a large amount of d" -"ata (gigabytes or terabytes), it will be more challenging to share and transfe" -"r it. You may need to consider networked storage options or more sophisticated" -" backup methods.

-\n" -"You may wish to contact your local IT services" -" to discuss what data storage options are available to you, or consider the us" -"e of Compute Canada&" -"rsquo;s Rapid Access Service. " -" " -msgstr "" - -msgid "" -"

Proprietary data formats are not optimal fo" -"r long-term preservation of data as they typically require specialized license" -"d software to open them. Such software may have costs associated with its use," -" or may not even be available to others wanting to re-use your data in the fut" -"ure.

-\n" -"

Non-proprietary file formats, such as comma" -"-separated values (.csv), text (" -".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" -"n mind that preservation-friendly files converted from one format to another m" -"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" -"essed JPG file), so changes to file formats should be documented.

-\n" -"

Identify the steps required to ensure the d" -"ata you are choosing to preserve is error-free, and converted to recommended f" -"ormats with a minimal risk of data loss following project completion. Some str" -"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" -", changing voices) also remove information of value to other researchers.

-\n" -"

See this Portage DMP Exemplar in English or French<" -"/span> for more help describing preservati" -"on-readiness.

" -<<<<<<< HEAD -msgstr "" - -msgid "" -"

A research data repository is a technology-" -"based platform that allows for research data to be:

-\n" -"
    -\n" -"
  • Deposited & " -"described
  • -\n" -"
  • Stored & arc" -"hived
  • -\n" -"
  • Shared & pub" -"lished
  • -\n" -"
  • Discovered &" -" reused
  • -\n" -"
-\n" -"

There are different types of repositories i" -"ncluding:

-\n" -"
    -\n" -"
  • Proprietary (pai" -"d for services)
  • -\n" -"
  • Open source (fre" -"e to use)
  • -\n" -"
  • Discipline speci" -"fic
  • -\n" -"
-\n" -"

A key feature of a trusted research data re" -"pository is the assignment of a digital object identifier (DOI) to your data -" -" a unique persistent identifier assigned by a registration agency to " -"identify digital content and provide a persistent link to its location, enabli" -"ng for long-term discovery.

-\n" -"

Dataverse is one of the most popular resear" -"ch data repository platforms in Canada for supporting the deposition of survey" -" data and qualitative text files. Key features of Dataverse include the assign" -"ment of a DOI, the ability to make your data both open or restricted access, b" -"uilt in data citations, file versioning, and the ability to create customized " -"terms of use pertaining to your data. Contact your local university Library to" -" find out if there is a Dataverse instance available for you to use. -\n" -"Re3data.org" -" is an online registry of data repo" -"sitories, which can be searched according to subject, content type and country" -". Find a list of Canadian research data repositor" -"ies." -msgstr "" - -msgid "" -"

Consider which data you are planning to sha" -"re or that you may need to share in order to meet funding or institutional req" -"uirements. As well, think about which data may possibly be restricted for reas" -"ons relating to confidentiality and/or privacy. If you are planning to share e" -"ither/both survey and qualitative interviews data that require de-identificati" -"on, explain how any necessary direct and indirect identifiers will be removed." -" 

-\n" -"

Examples of file versions are:

-\n" -"
    -\n" -"
  • Raw: Original data that has been collected and not yet processed" -" or analysed. For surveys this will be the original survey data, and for quali" -"tative interviews this will most often be the original audio data as well as r" -"aw transcriptions which are verbatim copies of the audio files.
  • -\n" -"
  • Processed: Data that have" -" undergone some type of processing, typically for data integrity and quality a" -"ssurance purposes. For survey data, this may involve such things as deletion o" -"f cases and derivation of variables. For qualitative interview data, this may " -"involve such things as formatting, and de-identification and anonymization act" -"ivities.
  • -\n" -"
  • Analyzed: Data that are a" -"lready processed and have been used for analytic purposes. Both for surveys an" -"d qualitative interviews, analyzed data can exist in different forms including" -" in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" -"s, graphs, etc.
  • -\n" -"
-\n" -"

Remember, research involving human particip" -"ants typically requires participant consent to allow for the sharing of data. " -"Along with your data, you should ideally include samples of the study informat" -"ion letter and participant consent form, as well as information relating to yo" -"ur approved institutional ethics application.

" -msgstr "" - -msgid "" -"

It may be necessary or desirable to restric" -"t access to your data for a limited time or to a limited number of people, for" -":

-\n" -"
    -\n" -"
  • ethical reasons " -"(privacy and confidentiality) 
  • -\n" -"
  • economic reasons" -" (patents and commercialization)
  • -\n" -"
  • intellectual pro" -"perty reasons (e.g. ownership of the original dataset on which yours is based)" -" 
  • -\n" -"
  • or to comply wit" -"h a journal publishing policy. 
  • -\n" -"
-\n" -"

Strategies to mitigate these issues may inc" -"lude: 

-\n" -"
    -\n" -"
  • anonymising or a" -"ggregating data (see additional information at the UK Data Service or the Portage Network)" -"
  • -\n" -"
  • gaining particip" -"ant consent for data sharing
  • -\n" -"
  • gaining permissi" -"ons to share adapted or modified data
  • -\n" -"
  • and agreeing to " -"a limited embargo period.
  • -\n" -"
-\n" -"

If applicable, consider creating a Terms of" -" Use document to accompany your data.

" -msgstr "" - -msgid "" -"

Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. Once created, it is considered as best practice to inc" -"lude a copy of your end-user license with your Data Management Plan. Note that" -" only the intellectual property rights holder(s) can issue a license, so it is" -" crucial to clarify who owns those rights. 

-\n" -"

There are several types of standard license" -"s available to researchers, such as the Creative Commons licenses" -" and the Open Data Commons license" -"s. In fact, for most datasets it is" -" easier to use a standard license rather than to devise a custom-made one. Not" -"e that even if you choose to make your data part of the public domain, it is p" -"referable to make this explicit by using a license such as Creative Commons' C" -"C0. 

-\n" -"Read more about data licensing: UK Digital Curation Centre." -msgstr "" - -msgid "" -"

Research data management is a shared respon" -"sibility that can involve many research team members including the Principal I" -"nvestigator, co-investigators, collaborators, trainees, and research staff. So" -"me projects warrant having a dedicated research data manager position. Think a" -"bout your project and its needs, including the time and expertise that may be " -"required to manage the data and if any training will be required to prepare me" -"mbers of the research team for these duties.

-\n" -"

Larger and more complex research projects m" -"ay additionally wish to have a research data management committee in place whi" -"ch can be responsible for data governance, including the development of polici" -"es and procedures relating to research data management. This is a useful way t" -"o tap into the collective expertise of the research team, and to establish rob" -"ust policies and protocols that will serve to guide data management throughout" -" your project.

" -msgstr "" - -msgid "" -"It is important to think ahead and be prepared" -" for potential PI and/or research team members changes should they occur. Developing data governance policies that cl" -"early indicate a succession strategy for the project’s data will help gr" -"eatly in ensuring that the data continue to be effectively and appropriately m" -"anaged. Such policies should clearly describe the process to be followed in th" -"e event that the Principal Investigator leaves the project. In some instances," -" a co-investigator or the department or division overseeing this research will" -" assume responsibility. " -msgstr "" - -msgid "" -"

Estimate as early as possible the resources" -" and costs associated with the management of your project’s data. This e" -"stimate should incorporate costs incurred both during the active phases of the" -" project as well as those potentially required for support of the data once th" -"e project is finished, including preparing the data for deposit and long-term " -"preservation. 

-\n" -"

Many funding agencies will provide support " -"for research data management, so these estimates may be included within your p" -"roposed project budget. Items that may be pertinent to mixed methods research " -"include such things as a dedicated research data management position (even if " -"it is part-time), support for the use of a digital survey data collection plat" -"form, computers/laptops, digital voice recorders, specialized software, transc" -"ription of qualitative interviews, data storage, data deposition, and data pre" -"servation.

" -msgstr "" - -msgid "" -"

Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers, as well as what version(s) of the data may be shared and re-use" -"d. For example, it may stipulate that the data will only be shared for non-pro" -"fit research purposes, that the data will not be linked with personally identi" -"fied data from other sources, and that only de-identified and/or aggregated da" -"ta may be reused. In the case of qualitative interviews, this may include only" -" the de-identified transcriptions of interviews and/or analytic files containi" -"ng de-identified contextual information.

-\n" -"

Sensitive data in particular should always " -"receive special attention and be clearly identified and documented within your" -" DMP as to how they will be managed throughout your project including data col" -"lection, transferring, storage, access, and both potential sharing, and reuse<" -"/span>.

-\n" -"

Your data management plan and deposited dat" -"a should both include an identifier or link to your approved research ethics a" -"pplication form as well as an example of any participant consent forms." -"

" -msgstr "" - -msgid "" -"

Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer, research services office, and/or research et" -"hics office. 

-\n" -"

Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

" -msgstr "" - -msgid "" -"Examples of data types may include text, numer" -"ic (ASCII, binary), images, audio, video, tabular data, spatial data, experime" -"ntal, observational, and simulation/modelling data, instrumentation data, code" -"s, software and algorithms, and any other materials that may be produced in th" -"e course of the project." -msgstr "" - -msgid "" -"Proprietary file formats that require speciali" -"zed software or hardware are not recommended, but may be necessary for certain" -" data collection or analysis methods. Using open file formats or industry-stan" -"dard formats (e.g. those widely used by a given community) is preferred whenev" -"er possible. Read more about recommended file formats at UBC Library or UK Data Service." -msgstr "" - -msgid "" -"

It is important to keep track of different " -"copies and versions of files, files held in different formats or locations, an" -"d any information cross-referenced between files. 

-\n" -"Logical file structures, informative naming co" -"nventions, and clear indications of file versions all contribute to better use" -" of your data during and after your research project. These practices will hel" -"p ensure that you and your research team are using the appropriate version of " -"your data, and will minimize confusion regarding copies on different computers" -", on different media, in different formats, and/or in different locations. Rea" -"d more about file naming and version control at UBC Library or UK Data Service" -"." -msgstr "" - -msgid "" -"

Some types of documentation typically provi" -"ded for research data and software include: 

-\n" -"
    -\n" -"
  • README file, codebook, or data dictionary<" -"/span>
  • -\n" -"
  • Electronic lab notebooks such as Jupyter Notebook<" -"/span>
  • -\n" -"
" -msgstr "" - -msgid "" -"Typically, good documentation includes high-le" -"vel information about the study as well as data-level descriptions of the cont" -"ent. It may also include other contextual information required to make the dat" -"a usable by other researchers, such as: your research methodology, definitions" -" of variables, vocabularies, classification systems, units of measurement, ass" -"umptions made, formats and file types of the data, a description of the data c" -"apture and collection methods, provenance of various data sources (original so" -"urce of data, and how the data have been transformed), explanation of data ana" -"lysis performed (including syntax files), the associated script(s), and annota" -"tion of relevant software. " -msgstr "" - -msgid "" -"

There are many general and domain-specific " -"metadata standards that can be used to manage research data. These machine-rea" -"dable, openly-accessible standards are often based on language-independent dat" -"a formats such as XML, RDF, and JSON, which enables the effective exchange of " -"information between users and systems. Existing, accepted community standards " -"should be used wherever possible, including when recording intermediate result" -"s. 

-\n" -"

Where community standards are absent or ina" -"dequate, this should be documented along with any proposed solutions or remedi" -"es. You may wish to use this DMP Template to propose alternate strategies that" -" will facilitate metadata interoperability in your field.

" -msgstr "" - -msgid "" -"

There are a wide variety of metadata standa" -"rds available to choose from, and you can learn more about these options at UK Digital Curation Centre's Disciplinary Metadata, FAIRsharing standards, RDA Metadata Standards Direc" -"tory, Seeing Standards: A Visu" -"alization of the Metadata Universe." -"

" -msgstr "" - -msgid "" -"Consider how you will capture information duri" -"ng the project and where it will be recorded to ensure the accuracy, consisten" -"cy, and completeness of your documentation. Often, resources you've already cr" -"eated can contribute to this (e.g. publications, websites, progress reports, e" -"tc.). It is useful to consult regularly with members of the research team to c" -"apture potential changes in data collection or processing that need to be refl" -"ected in the documentation. Individual roles and workflows should include gath" -"ering, creating or maintaining data documentation as a key element." -msgstr "" - -msgid "" -"ARC resources usually contain both computation" -"al resources and data storage resources. Please describe only those ARC resour" -"ces that are directly applicable to the proposed work. Include existing resour" -"ces and any external resources that may be made available." -msgstr "" - -msgid "" -"

You may wish to provide the following infor" -"mation:

-\n" -"
    -\n" -"
  • Startup allocati" -"on limit
  • -\n" -"
  • System architect" -"ure: System component and configuration
  • -\n" -"
      -\n" -"
    • CPU nodes" -"
    • -\n" -"
    • GPU nodes" -"
    • -\n" -"
    • Large memory nod" -"es
    • -\n" -"
    -\n" -"
  • Performance: e.g" -"., FLOPs, benchmark
  • -\n" -"
  • Associated syste" -"ms software environment
  • -\n" -"
  • Supported applic" -"ation software 
  • -\n" -"
  • Data transfer
  • -\n" -"
  • Storage <" -"/li> -\n" -"
" -msgstr "" - -msgid "" -"It is important to document the technical details of all the computational and data s" -"torage resources, and associated system" -"s and software environments you plan to use to perform the simulations and ana" -"lysis proposed in this research project. " -msgstr "" - -msgid "" -"

Examples of data analysis frameworks includ" -"e:

-\n" -"
    -\n" -"
  • Hadoop -\n" -"
  • Spark -\n" -"
" -msgstr "" - -msgid "" -"

Examples of software tools include:<" -"/p> -\n" -"

    -\n" -"
  • High-performance" -" compilers, debuggers, analyzers, editors 
  • -\n" -"
  • Locally develope" -"d custom libraries and application packages for software development -\n" -"
" -msgstr "" - -msgid "" -"

(Re)using code/software requires, at minimu" -"m, information about both the environment and expected input/output. Log all p" -"arameter values, including when setting random seeds to predetermined values, " -"and make note of the requirements of the computational environment (software d" -"ependencies, etc.) Track your software development with versioning control sys" -"tems, such as GitHub Bitbucket, " -"GitLab, etc. 

-\n" -"

If your research and/or software are built " -"upon others’ software code, it is good practice to acknowledge and cite " -"the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

-\n" -"For more information on proper software docume" -"ntation and citation practices, see: Ten simple rules for documenting scientific software and Software Citation Principles.
" -msgstr "" - -msgid "" -"

Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time, particu" -"larly if you are collecting data over a long period (e.g. several months or ye" -"ars). Similarly, a long-term storage plan is necessary if you intend to retain" -" your data after the research project.

" -msgstr "" - -msgid "" -"

Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

-\n" -"

The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

-\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Service." -msgstr "" - -msgid "" -"

Technical detail example:

-\n" -"
    -\n" -"
  • Quota 
  • -\n" -"
-\n" -"

Examples of systems:

-\n" -"
    -\n" -"
  • High-performance archival/storage storage&" -"nbsp;
  • -\n" -"
  • Database
  • -\n" -"
  • Web server
  • -\n" -"
  • Data transfer
  • -\n" -"
  • Cloud platforms, such as Amazon Web Servic" -"es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
  • -\n" -"
" -msgstr "" - -msgid "" -"

An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution. 

-\n" -"

Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and the servers are often located outside C" -"anada.

" -msgstr "" - -msgid "" -"

This estimate should incorporate data manag" -"ement costs incurred during the project as well as those required for ongoing " -"support after the project is finished. Consider costs associated with data pur" -"chase, data curation, and providing long-term access to the data. For ARC proj" -"ects, charges for computing time, also called Service Units (SU), and the cost" -" of specialized or proprietary software should also be taken into consideratio" -"n. 

-\n" -"Some funding agencies state explicitly that th" -"ey will provide support to meet the cost of preparing data for deposit in a re" -"pository. These costs could include: technical aspects of data management, tra" -"ining requirements, file storage & backup, etc. OpenAIRE has a useful tool" -" for Estimating costs for RDM." -msgstr "" - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties." -msgstr "" - -msgid "" -"Container solutions, such as docker and singularity, can replicate the exact computational environment for o" -"thers to run. For more information, these Ten Simple Rules for Writing Dockerfiles fo" -"r Reproducible Data Science and Ten Simple Rules for Reproducib" -"le Computational Research may be he" -"lpful." -msgstr "" - -msgid "" -"

A computationally reproducible research pac" -"kage will include:

-\n" -"
    -\n" -"
  • Primary data (and documentation) collected" -" and used in analysis
  • -\n" -"
  • Secondary data (and documentation) collect" -"ed and used in analysis
  • -\n" -"
  • Primary data output result(s) (and documen" -"tation) produced by analysis
  • -\n" -"
  • Secondary data output result(s) (and docum" -"entation) produced by analysis
  • -\n" -"
  • Software program(s) (and documentation) fo" -"r computing published results
  • -\n" -"
  • Dependencies for software program(s) for r" -"eplicating published results
  • -\n" -"
  • Research Software documentation and implem" -"entation details
  • -\n" -"
  • Computational research workflow and proven" -"ance information
  • -\n" -"
  • Published article(s) 
  • -\n" -"
-\n" -"

All information above should be accessible " -"to both designated users and reusers. 

-\n" -"

(Re)using code/software requires knowledge " -"of two main aspects at minimum: environment and expected input/output. With su" -"fficient information provided, computational results can be reproduced. Someti" -"mes, a minimum working example will be helpful.

" -msgstr "" - -msgid "" -"Consider where, how, and to whom sensitive data with acknowledged long-term va" -"lue should be made available, and how long it should be archived. Decisions sh" -"ould align with your institutional Research Ethics Board requirements.
<" -"br />Methods used to share data will be dependent on the type, size, complexit" -"y and degree of sensitivity of data. For instance, sensitive data should never" -" be shared via email or cloud storage services such as Dropbox. Outline any pr" -"oblems anticipated in sharing data, along with causes and possible measures to" -" mitigate these. Problems may include: confidentiality, lack of consent agreem" -"ents, or concerns about Intellectual Property Rights, among others." -msgstr "" - -msgid "" -"

Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring your Research Ethics Board " -"that data may be shared with researchers outside of your project. The consent " -"statement may identify certain conditions clarifying the uses of the data by o" -"ther researchers. For example, it may stipulate that the data will only be sha" -"red for non-profit research purposes or that the data will not be linked with " -"personally identified data from other sources. Read more about data security: " -"UK Data Service.

-\n" -"You may need to anonymize or de-identify your data before you can share it. Read more about these process" -"es at UBC Library , UK Data Service, or
Image Data Sharing for Biomedi" -"cal Research—Meeting HIPAA Requirements for De-identification" -"." -msgstr "" - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons licenses and the Open Data Commons licenses" -". For most datasets it is easier to" -" use a standard license rather than to devise a custom-made one. Even if you c" -"hoose to make your data part of the public domain, it is preferable to make th" -"is explicit by using a license such as Creative Commons' CC0. More about data " -"licensing: Digital Curation Centre. " -msgstr "" - -msgid "" -"Licenses stipulate how your data may be used. " -"Funding agencies and/or data repositories may have end-user license requiremen" -"ts in place; if not, they may still be able to guide you in the selection of a" -" license. Once selected, please include a copy of your end-user license with y" -"our Data Management Plan. Note that only the intellectual property rights hold" -"er(s) can issue a license, so it is crucial to clarify who owns those rights. " -"" -msgstr "" - -msgid "" -"

By providing a licence for your software, y" -"ou grant others certain freedoms, and define what they are allowed to do with " -"your code. Free and open software licences typically allow someone else to use" -", study, improve and share your code. You can licence all the software you wri" -"te, including scripts and macros you develop on proprietary platforms. For mor" -"e information, see Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

-\n" -"

Please be aware that software is typically " -"protected by copyright that is often held by the institution rather than the d" -"eveloper. Ensure you understand what rights you have to share your software be" -"fore choosing a license.

" -msgstr "" - -msgid "" -"

Before you copy, (re-)use, modify, build on" -", or (re-)distribute others’ data and code, or engage in the production " -"of derivatives, be sure to check, read, understand and follow any legal licens" -"ing agreements. The actions you can take, including whether you can publish or" -" redistribute derivative research products, may depend on terms of the origina" -"l license.

-\n" -"

If your research data and/or software are b" -"uilt upon others’ data and software publications, it is good practice to" -" acknowledge and cite the corresponding data and software you use in the same " -"fashion as you cite papers to both identify the software and to give credit to" -" its developers. Some good resources for developing citations are the <" -"a href=\"https://peerj.com/articles/cs-86/\">Sof" -"tware Citation Principles (Smith et al., 2016), DataCite - Cite Your Data, and Out of Cite, Out of M" -"ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

-\n" -"

Compliance with privacy legislation and law" -"s that may restrict the sharing of some data should be discussed with your ins" -"titution's privacy officer or data librarian, if possible. Research Ethics Boa" -"rds are also central to the research process and a valuable resource. Include " -"in your documentation a description concerning ownership, licensing, and intel" -"lectual property rights of the data. Terms of reuse must be clearly stated, in" -" line with the relevant legal and ethical requirements where applicable (e.g.," -" subject consent, permissions, restrictions, etc.).

" -msgstr "" - -msgid "" -"

One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. The Digital Curation Centre provides a detailed guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

-\n" -"

Some repositories also create links from da" -"tasets to their associated papers, increasing the visibility of the publicatio" -"ns. If possible, cross-reference or link out to all publications, code and dat" -"a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

-\n" -"Other sharing possibilities include: data regi" -"stries, indexes, word-of-mouth, and publications. For more information, see Key Elements to Consider in Preparin" -"g a Data Sharing Plan Under NIH Extramural Support." -msgstr "" - -msgid "" -"

Consider which data are necessary to validate (support or verify) your research findi" -"ngs, and which must be shared to meet institutional or funding requirements. T" -"his may include data and code used in analyses or to create charts, figures, i" -"mages, etc. Certain data may need to be restricted because of confidentiality," -" privacy, or intellectual property considerations and should be described belo" -"w.

-\n" -"Wherever possible, share your data in preserva" -"tion-friendly file formats. Some data formats are optimal for the long-term pr" -"eservation of data. For example, non-proprietary file formats, such as text ('" -".txt') and comma-separated ('.csv'), are considered preservation-friendly. The" -" UK Data Service provides a useful table of file formats for various ty" -"pes of data. Keep in mind that preservation-friendly files converted from one " -"format to another may lose information (e.g. converting from an uncompressed T" -"IFF file to a compressed JPG file), so changes to file formats should be docum" -"ented. " -msgstr "" - -msgid "" -"

Data retention should be considered early i" -"n the research lifecycle. Data-retention decisions can be driven by external p" -"olicies (e.g. funding agencies, journal publishers), or by an understanding of" -" the enduring value of a given set of data. The need to preserve data in the s" -"hort-term (i.e. for peer-verification purposes) or long-term (for data of last" -"ing value), will influence the choice of data repository or archive. A helpful" -" analogy is to think of creating a 'living will' for the data, that is, a plan" -" describing how future researchers will have continued access to the data.&nbs" -"p;

-\n" -"It is important to verify whether or not the d" -"ata repository you have selected will support the terms of use or licenses you" -" wish to apply to your data and code. Consult the repository’s own terms" -" of use and preservation policies for more information. For help finding an ap" -"propriate repository, contact your institution’s library or reach out to" -" the Portage DMP Coordinator at sup" -"port@portagenetwork.ca. " -msgstr "" - -msgid "" -"The general-purpose repositories for data shar" -"ing in Canada are the Federated Research Data Repository (FRDR) and
Scholars Portal Dataverse<" -"/a>. You can search for discipline-specific re" -"positories on re3data.org or by using " -"DataCite's Repository Finder tool. " -msgstr "" - -msgid "" -"

Making the software (or source code) you de" -"veloped accessible is essential for others to understand your work. It allows " -"others to check for errors in the software, to reproduce your work, and ultima" -"tely, to build upon your work. Consider using a code-sharing platform such as " -"GitHub Bitbucket, or GitLab. If you would like to archive your code and recei" -"ve a DOI, " -"GitHub is integrated with Zenodo as a repository option. 

-\n" -"

At a minimum, if using third-party software" -" (proprietary or otherwise), researchers should share and make available the s" -"ource code (e.g., analysis scripts) used for analysis (even if they do not hav" -"e the intellectual property rights to share the software platform or applicati" -"on itself).

" -msgstr "" - -msgid "" -"After the software has been delivered, used an" -"d recognized by a sufficiently large group of users, will you allocate both hu" -"man and financial resources to support the regular maintenance of the software" -", for activities such as debugging, continuous improvement, documentation and " -"training?" -msgstr "" - -msgid "" -"A classification system is a useful tool, especially if you work with ori" -"ginal manuscripts or non-digital objects (for example, manuscripts in binders)" -". Provide the description of your classification system in this plan or provid" -"e reference to the documents containing it." -msgstr "" - -msgid "" -"Naming conventions should be developed. Provide the description of your naming" -" and versioning procedure in this plan or provide reference to documents conta" -"ining it. Read more about file naming and version control at UK Data Service." -msgstr "" - -msgid "" -"

Elements to consider in contextualizing res" -"earch data: methodologies, definitions of variables or analysis categories, sp" -"ecific classification systems, assumptions, code tree, analyses performed, ter" -"minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

-\n" -"

To ensure a verifiable historical interpret" -"ation and the lowest possible bias in the possible reuse of the data, try to i" -"dentify elements of implicit knowledge or that involve direct communication wi" -"th the principal investigator.

" -msgstr "" - -msgid "" -"Consider the total volume of storage space exp" -"ected for each media containing these files. If applicable, include hardware c" -"osts in the funding request. Include this information in the Responsibilities and Resources section as well." -msgstr "" - -msgid "" -"

For long-term preservation, you may wish to" -" consider CoreTrustSeal certified repositories found in this directory" -". However, as many repositories may be in the process of being certified and a" -"re not yet listed in this directory, reviewing the retention policy of a repos" -"itory of interest will increase your options. For repositories without certifi" -"cation, you can evaluate their quality by comparing their policies to the stan" -"dards of a certification. Read more on trusted data repositories at The University of Edin" -"burgh and OpenAIRE.

-\n" -"

To increase the visibility of research data" -", opt for disciplinary repositories: search by discipline in re3data.org.

-\n" -"

For solutions governed by Canadian legislat" -"ion, it is possible to browse by country of origin in re3data.org. In addition" -", Canada’s digital research infrastructure offers the Federated Research" -" Data Repository (FRDR). Finally," -" it is quite possible that your institution has its own research data reposito" -"ry.

-\n" -"

To make sure the selected repository meets " -"the requirements of your DMP, feel free to seek advice from a resource person or contact the DMP Coordinator at support@portagenetwork.ca.

" -msgstr "" - -msgid "" -"

Preparing research data for eventual preser" -"vation involves different tasks that may have costs that are budgeted for pref" -"erably in the funding application. This could require a cost model or simply t" -"he basic sections of the UK Data Service Costing T" -"ool.

-\n" -"

Include this cost estimate in the Responsibilities and Resources section.

-\n" -"

If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

" -msgstr "" - -msgid "" -"

If applicable, retrieve written consent from an institution's ethics approv" -"al process. If the research involves human participants, verify that the conte" -"nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

-\n" -"

Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. <" -"span style=\"font-weight: 400;\">Read more about data security at UK Data Service." -"

" -msgstr "" - -msgid "" -"

If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or Réseau P" -"ortage.

-\n" -"

Also make sure that metadata does not discl" -"ose sensitive data.

-\n" -"

Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

" -msgstr "" - -msgid "" -"

Describe the allocation of copyrights between members of the research team " -"and external copyright holders (include libraries, archives and museums). Veri" -"fy that the licenses to use the research materials identified in the Shari" -"ng and Reuse section are consistent with the description in this section." -"

-\n" -"

If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person.

" -msgstr "" - -msgid "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." -msgstr "" - -msgid "" -"

Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

-\n" -"

Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

" -msgstr "" - -msgid "" -"

If the DMP is at the funding application st" -"age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

-\n" -"

Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

" -msgstr "" - -msgid "" -"Taking into account all the aspects in the pre" -"vious sections, estimate the overall cost of implementing the data management " -"plan. Consider both the management activities required during the active phase" -" of the project and the preservation phase. Some of these costs may be covered" -" by funding agencies." -msgstr "" - -msgid "" -"A clas" -"sification system is a useful tool," -" especially if you work with original manuscripts or non-digital objects (for " -"example, manuscripts in binders). Provide the description of your classificati" -"on system in this plan or provide reference to the documents containing it. " -msgstr "" - -msgid "" -"

Naming conventions should be developed. Pro" -"vide the description of your naming and versioning procedure in this plan or p" -"rovide reference to documents containing it. Read more about file naming and v" -"ersion control at UK Data Service" -".

" -msgstr "" - -msgid "" -"e.g. fi" -"eld notebook, information log, committee implementation, tools such as " -"OpenRefine or " -"QAMyData; consistency with standard" -"s. " -msgstr "" - -msgid "" -"You may want to systematically include a documentation section in project prog" -"ress reports or link quality assurance activities to the documentation. It is " -"good practice to ensure that data management is included in the tasks of desig" -"nated individuals." -msgstr "" - -msgid "" -"

A metadata schema is very useful to systematize the description of rese" -"arch material while making it readable by computers, thus contributing to a be" -"tter dissemination of this material (e.g.: see R&ea" -"cute;seau Info-Musée [link in French] or Cataloging Cultura" -"l Objects). However, their use may result in a loss of information on prov" -"enance or contextualization, so ensure that this documentation is present else" -"where.

-\n" -"

Resource for exploring and identifying meta" -"data schemas that may be helpful: RDA Metadata Directory.

-\n" -"

Resources for exploring controlled vocabula" -"ries: CIDOC/ICOM Conceptual Reference Mode" -"l, Linked Open Vocabulari" -"es. If needed, contact a DMP resource person at your institution" -".

" -msgstr "" - -msgid "" -"

La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

-\n" -"

Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

-" -"\n" -"

Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

" -msgstr "" - -msgid "" -"

If applicable, retrieve written consent fro" -"m an institution's ethics approval process. If the research involves human par" -"ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

-\n" -"

Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. Read mor" -"e about data security at UK Data Service<" -"span style=\"font-weight: 400;\">.

" -msgstr "" - -msgid "" -"

If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or the Portage Network.

-\n" -"

Also make sure that metadata does not discl" -"ose sensitive data.

-\n" -"

Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

" -msgstr "" - -msgid "" -"

Describe the allocation of copyrights betwe" -"en members of the research team and external copyright holders (include librar" -"ies, archives and museums). Verify that the licenses to use the research mater" -"ials identified in the Sharing and " -"Reuse section are consistent with " -"the description in this section.

-\n" -"

If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person." -msgstr "" - -msgid "" -"Example: Reporting in a recognized data repository, attributi" -"on of a perennial identifier such as DOI (see the FREYA proje" -"ct guide), reporting in mailing lists and social networks." -msgstr "" - -msgid "" -"

To optimize the dissemination of research material, follow the FAIR princip" -"les as much as possible. The Australian Research Data Commons" -" offers an easy-to-use tool for assessing compliance with these principles" -". The Digita" -"l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

-\n" -"

To make the material retrievable by other tools and to cite it in scholarly" -" publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

-\n" -"

If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

" -msgstr "" - -msgid "" -"

Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

" -msgstr "" - -msgid "" -"Describe the process to be followed, the actio" -"ns to be taken, and the avenues to be considered to ensure ongoing data manage" -"ment if significant changes occur. Here are possible events to consider: a pri" -"ncipal investigator is replaced, a person designated in the assignment table c" -"hanges, a student who has finished their project related to research data in t" -"his DMP leaves." -msgstr "" - -msgid "" -"The data source(s) for this project is/are the" -" <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" -"urrent version(s) is/are: <<Record number>>." -msgstr "" - -msgid "" -"The record number is available on Statistics C" -"anada's website which can be accessed directly, or through our website: crdcn.org/dat" -"a. E.g. Aboriginal People's Survey " -"2017 Record number:3250 https://w" -"ww23.statcan.gc.ca/imdb/p2SV.pl?Function=getSurvey&SDDS=3250" -msgstr "" - -msgid "" -"External or Supplemental data are the data use" -"d for your research project that are not provided to you by Statistics Canada " -"through the Research Data Centre program." -msgstr "" - -msgid "" -"Resources are available on the CRDCN website t" -"o help. A recommendation from CRDCN on how to document your research contribut" -"ions can be found here. For ideas on how to properly curate reproducible resea" -"rch, you can go here: https://labordy" -"namicsinstitute.github.io/replication-tutorial-2019/#/" -msgstr "" - -msgid "" -"Syntax: Any code used by the researcher to tra" -"nsform the raw data into the research results. This most commonly includes, bu" -"t is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code." -msgstr "" - -msgid "" -"Because of the structure of the agreements und" -"er which supplemental data are brought into the RDC we highly recommend a para" -"llel storage and backup to simplify sharing of these research data. Note that " -"\"data\" here refers not only to the raw data, but to any and all data generated" -" in the course of conducting the research." -msgstr "" - -msgid "" -"

Consider also what file-format you will use" -". Will this file format be useable in the future? Is it proprietary?" -msgstr "" - -msgid "" -"A tool provided by OpenAIRE can help researche" -"rs estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs." -msgstr "" - -msgid "" -"

Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and how long " -"it should be archived. Decisions should align with Research Ethics Board requi" -"rements. Methods used to share data will be dependent on the type, size, compl" -"exity and degree of sensitivity of data. Outline problems anticipated in shari" -"ng data, along with causes and possible measures to mitigate these. Problems m" -"ay include confidentiality, lack of consent agreements, or concerns about Inte" -"llectual Property Rights, among others.

-\n" -"Reused from: Digital Curation Centre. (2013). " -"Checklist for a Data Management Plan. v.4.0. Restrictions can be imposed by limiting phys" -"ical access to storage devices, placing data on computers with no access to th" -"e Internet, through password protection, and by encrypting files. Sensitive da" -"ta should never be shared via email or cloud storage services such as Dropbox<" -"/span>" -msgstr "" - -msgid "" -"Obtaining the appropriate consent from researc" -"h participants is an important step in assuring Research Ethics Boards that th" -"e data may be shared with researchers outside your project. The consent statem" -"ent may identify certain conditions clarifying the uses of the data by other r" -"esearchers. For example, it may stipulate that the data will only be shared fo" -"r non-profit research purposes or that the data will not be linked with person" -"ally identified data from other sources. Read more about data security: UK Data Archive" -"." -msgstr "" - -msgid "" -"

Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

-\n" -"

Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

" -msgstr "" - -msgid "" -"Describe the purpose or goal of this project. " -"Is the data collection for a specific study or part of a long-term collection " -"effort? What is the relationship between the data you are collecting and any e" -"xisting data? Note existing data structure and procedures if building on previ" -"ous work." -msgstr "" - -msgid "" -"Types of data you may create or capture could " -"include: geospatial layers (shapefiles; may include observations, models, remo" -"te sensing, etc.); tabular observational data; field, laboratory, or experimen" -"tal data; numerical model input data and outputs from numerical models; images" -"; photographs; video." -msgstr "" - -msgid "" -"

Please also describe the tools and methods " -"that you will use to collect or generate the data. Outline the procedures that" -" must be followed when using these tools to ensure consistent data collection " -"or generation. If possible, include any sampling procedures or modelling techn" -"iques you will use to collect or generate your data.

" -msgstr "" - -msgid "" -"

Try to use pre-existing collection standard" -"s, such as the CCME’s Proto" -"cols for Water Quality Sampling in Canada, whenever possible. 

-\n" -"

If you will set up monitoring station(s) to" -" continuously collect or sample water quality data, please review resources su" -"ch as the World Meteorological Organization’s tec" -"hnical report on Water Quality Monitoring and CCME’s Pro" -"tocols for Water Quality Guidelines in Canada.

" -msgstr "" - -msgid "" -"Include full references or links to the data w" -"hen possible. Identify any license or use restrictions and ensure that you und" -"erstand the policies for permitted use, redistribution and derived products." -msgstr "" - -msgid "" -"

Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

-\n" -"
    -\n" -"
  • Data governed by" -" third party agreements, contracts or legislation.
  • -\n" -"
  • Personal informa" -"tion, health related data, biological samples, etc.
  • -\n" -"
  • Indigenous knowl" -"edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
  • -\n" -"
  • Data collected w" -"ith an industry partner.
  • -\n" -"
  • Location informa" -"tion of species at risk. 
  • -\n" -"
  • Data collected o" -"n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
  • -" -"\n" -"
-\n" -"Additional sensitivity assessment can be made " -"using data classification matrices such as the University of Saskatchewan Data Classification guidance." -msgstr "" - -msgid "" -"

Methods used to share data will be dependen" -"t on the type, size, complexity and degree of sensitivity of data. Outline any" -" problems anticipated in sharing data, along with causes and possible measures" -" to mitigate these. Problems may include confidentiality, lack of consent agre" -"ements, or concerns about Intellectual Property Rights, among others. -\n" -"

Decisions should align with Research Ethics" -" Board requirements. If you are collecting water quality data from Indigenous " -"communities, please also review resources such as the Tri-Council Policy State" -"ment (TCPS2) - Chapter 9: Research Involv" -"ing the First Nations, Inuit and Métis Peoples of Canada, the First Nations Principles of OCAP, the CARE Principles of Indigenous Data Governance, the National Inuit Strategy on Research, and Negotiating Research Relationships wi" -"th Inuit Communities as appropriate" -". 

-\n" -"Restrictions can be imposed by limiting physic" -"al access to storage devices, placing data on computers with no access to the " -"Internet, through password protection, and by encrypting files. Sensitive data" -" should never be shared via email or cloud storage services such as Dropbox. R" -"ead more about data security here: UK Data Service. " -msgstr "" - -msgid "" -"

Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and for how l" -"ong it should be archived. If you must restrict some data from sharing, consid" -"er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

-\n" -"

Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of your data by oth" -"er researchers. For example, it may stipulate that the data will only be share" -"d for non-profit research purposes or that the data will not be linked with pe" -"rsonally identified data from other sources. It is important to consider how t" -"he data you are collecting may contribute to future research prior to obtainin" -"g research ethics approval since consent will dictate how the data can be used" -" in the immediate study and in perpetuity.

" -msgstr "" - -msgid "" -"

Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

-\n" -"

Describe ownership, licensing, and any inte" -"llectual property rights associated with the data. Check your institution's po" -"licies for additional guidance in these areas. The University of Waterloo has " -"a good example of an institutional policy on Intellectual Property Rights" -".

-\n" -"

Terms of reuse must be clearly stated, in l" -"ine with the relevant legal and ethical requirements where applicable (e.g., s" -"ubject consent, permissions, restrictions, etc.).

" -msgstr "" - -msgid "" -"Data should be collected and stored using mach" -"ine readable, non-proprietary formats, such as .csv, .json, or .tiff. Propriet" -"ary file formats requiring specialized software or hardware to use are not rec" -"ommended, but may be necessary for certain data collection or instrument analy" -"sis methods. If a proprietary format must be used, can it be converte" -"d to an open format or accessed using free and open source tools?
" -"
Using open file formats or industry-standard formats (e.g. those widely " -"used by a given community) is preferred whenever possible. Read more about fil" -"e formats: UBC Library, USGS, DataONE, or UK Data Service." -msgstr "" - -msgid "" -"

File names should:

-\n" -"
    -\n" -"
  • Clearly identify the name of the project (" -"Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" -"nd type of data in the file;
  • -\n" -"
  • Avoid use of special characters, such as  $ % ^ & # | :, to preve" -"nt errors and use an underscore ( _)  or dash (-) rather than spaces; -\n" -"
  • Be as concise as possible. Some instrument" -"s may limit you to specific characters. Check with your labs for any naming St" -"andard Operating Procedures (SOPs) or requirements. 
  • -\n" -"
-\n" -"

Data Structure:

-\n" -"
    -\n" -"
  • It is important to keep track of different" -" copies or versions of files, files held in different formats or locations, an" -"d information cross-referenced between files. This process is called 'version " -"control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" -". v1.1.0);
  • -\n" -"
  • Logical file structures, informative naming conventions and clear indicati" -"ons of file versions all contribute to better use of your data during and afte" -"r your research project.  These practices will help ensure that you and y" -"our research team are using the appropriate version of your data and minimize " -"confusion regarding copies on different computers and/or on different media.&n" -"bsp;
  • -\n" -"
-\n" -"

Read more about file naming and version control: UBC Library or UK Data Service.

" -msgstr "" - -msgid "" -"Typically, good documentation includes informa" -"tion about the study, data-level descriptions and any other contextual informa" -"tion required to make the data usable by other researchers. Elements to docume" -"nt, as applicable, include: research methodology, variable definitions, vocabu" -"laries, classification systems, units of measurement, assumptions made, format" -" and file type of the data, and details of who has worked on the project and p" -"erformed each task, etc.  

A readme file describing your formatting, naming conventions and proc" -"edures can be used to promote use and facilitate adherence to data policies. F" -"or instance, describe the names or naming process used for your study sites.

Verify the spelling of study " -"site names using the
Canadian Geographical Names Database

If yo" -"ur data will be collected on Indigenous lands, ensure your naming scheme follo" -"ws the naming conventions determined by the community.
" -msgstr "" - -msgid "" -"

Include descriptions of sampling procedures" -" and hardware or software used for data collection, including make, model and " -"version where applicable. Sample and replicate labels<" -"span style=\"font-weight: 400;\"> should have a consistent format (sample number" -", name, field site, date of collection, analysis requested and preservatives a" -"dded, if applicable) and a corresponding document with descriptions of any cod" -"es or short forms used. 

For examples and guidelines, see the
CCME Protocols Manual for Water Quality Sampling in Canada (taxonomy example p. 11, general guidelines p. 3" -"2-33). 

Consistency, re" -"levance and cost-efficiency are key factors of sample collection and depend on" -" the scope of the project. For practical considerations, see “4.3 Step 3" -". Optimizing Data Collection and Data Quality” in the CCME Guidance Manual for Opti" -"mizing Water Quality Monitoring Program Design.

" -msgstr "" - -msgid "" -"

It is important to have a standardized data" -" analysis procedure and metadata detailing both the collection and analysis of" -" the data. For guidance see “4.4 Step 4. Data Analysis, Interpretation a" -"nd Evaluation” in the CCME Guidance Manual for Optimizing Water Quality Monitoring " -"Program Design. 

If" -" you will collect or analyze data as part of a wider program, such as the Canadian Aquatic Biomonitoring Network, include links to the appropriate guidance documents.

" -msgstr "" - -msgid "" -"

Include documentation about what QA/QC proc" -"edures will be performed. For guidance see “1.3 QUALITY ASSURANCE/CONTRO" -"L IN SAMPLING” in the CC" -"ME Integrated guidance manual of sampli" -"ng protocols for water quality monitoring in Canada or the Quality-Control Design for Surfa" -"ce-Water Sampling in the National Water-Quality Network from the USGS.

" -msgstr "" - -msgid "" -"Consider how you will capture this information" -" and where it will be recorded, ideally in advance of data collection and anal" -"ysis, to ensure accuracy, consistency, and completeness of the documentation. " -"Writing guidelines or instructions for the documentation process will enhance " -"adoption and consistency among contributors. Often, resources you have already created can contribute to this (e.g., " -"laboratory Standard Operating Procedures (SOPs), recommended textbooks,  " -"publications, websites, progress reports, etc.).  

It is useful to consult regularly with the me" -"mbers of the research team to capture potential changes in data collection or " -"processing that need to be reflected in the documentation. Individual roles an" -"d workflows should include gathering data documentation as a key element. Researchers should audit their documentatio" -"n at a specific time interval (e.g., bi-weekly) to ensure documentation is cre" -"ated properly and information is captured consistently throughout the project." -" " -msgstr "" - -msgid "" -"

Water Quality metadata standards:

-\n" -"
    -\n" -"
  • DS-WQX: A schema designed for data entered into the DataStream reposi" -"tory based off of the US EPA’s WQX standard.
  • -\n" -"
  • WQX: Data model designed by the US EPA and USGS for" -" upload to their water quality exchange portal.
  • -\n" -"
-\n" -"

Ecological metadata standards:

-\n" -" -\n" -"

Geographic metadata standards:

-\n" -"
    -\n" -"
  • ISO 1911" -"5: International Standards Organisa" -"tion’s schema for describing geographic information and services." -"
  • -\n" -"
-\n" -"

Read more about metadata standards: " -"UK Digital Curation Centre's Disciplinary Metadata.

" -msgstr "" - -msgid "" -"

Metadata describes a dataset and provides v" -"ital information such as owner, description, keywords, etc. that allow data to" -" be shared and discovered effectively. Researchers are encouraged to adopt com" -"monly used and interoperable metadata schemas (general or domain-specific), wh" -"ich focus on the exchange of data via open spatial standards. Dataset document" -"ation should be provided in a standard, machine readable, openly-accessible fo" -"rmat to enable the effective exchange of information between users and systems" -". 

" -msgstr "" - -msgid "" -"Deviation from existing metadata standards should only occur when necessary. I" -"f this is the case, please document these deviations so that others can recrea" -"te your process." -msgstr "" - -msgid "" -"Once a standard has been chosen, it is importa" -"nt that data collectors have the necessary tools to properly create or capture" -" the metadata. Audits of collected meta" -"data should occur at specific time intervals (e.g., bi-weekly) to ensure metad" -"ata is created properly and captured consistently throughout the project.

Some tips for ensuring good met" -"adata collection are:
-\n" -"
    -\n" -"
  • Provide support documentation and routine metadata training to data collec" -"tors.
  • -\n" -"
  • Provide data collectors with thorough data" -" collection tools (e.g., field or lab sheets) so they are able to capture the " -"necessary information.
  • -\n" -"
  • Samples or notes recorded in a field or la" -"b book should be scanned or photographed daily to prevent lost data. -\n" -"
" -msgstr "" - -msgid "" -"Storage-space estimates should take into accou" -"nt requirements for file versioning, backups and growth over time. A long-term storage plan is necessary if you inten" -"d to retain your data after the research project.
" -msgstr "" - -msgid "" -"

The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite. Data may be stored using optical or magnetic media, which can be remova" -"ble (e.g., DVD and USB drives), fixed (e.g., desktop or laptop hard drives), o" -"r networked (e.g., networked drives or cloud-based servers such as Compute Ca" -"nada). Each storage method has bene" -"fits and drawbacks that should be considered when determining the most appropr" -"iate solution.

Raw data shou" -"ld be preserved and never altered. Some options for preserving raw data are st" -"oring on a read-only drive or archiving the raw, unprocessed data. The preserv" -"ation of raw data should be included in the data collection process and backup" -" procedures.

Examples of fur" -"ther information on storage and backup practices are available from the" -" University of Toronto and the UK Data Service<" -"/a>.

" -msgstr "" - -msgid "" -"An ideal shared data management solution facil" -"itates collaboration, ensures data security and is easily adopted by users wit" -"h minimal training. Tools such as the Globus file transfer system, currently in use by many academic institutions, all" -"ows data to be securely transmitted between researchers or to centralized proj" -"ect data storage. Relying on email for data transfer is not a robust or secure" -" solution. 

Third-party" -" commercial file sharing services (such as Google Drive and Dropbox) facilitat" -"e file exchange, but they are not necessarily permanent or secure, and are oft" -"en located outside Canada. Additional r" -"esources such as Open Science Framework and Com" -"pute Canada are also recommended op" -"tions for collaborations. 
If your data will be collected on Indigenous lands, how will you share dat" -"a with community members throughout the project? 

Please contact librarians at your institution to de" -"termine if there is support available to develop the best solution for your re" -"search project.
" -msgstr "" - -msgid "" -"Describe the roles and responsibilities of all" -" parties with respect to the management of the data. Consider the following:
-\n" -"
    -\n" -"
  • If there are multiple investigators involv" -"ed, what are the data management responsibilities of each investigator? <" -"/span>
  • -\n" -"
  • If data will be collected by students, cla" -"rify the student role versus the principal investigator role, and identify who" -" will hold theIntellectual Property rights.  
  • -\n" -"
  • Will training be required to perform the d" -"ata collection or data management tasks? If so, how will this training be admi" -"nistered and recorded? 
  • -\n" -"
  • Who will be the primary person responsible" -" for ensuring compliance with the Data Management Plan during all stages of th" -"e data lifecycle?
  • -\n" -"
  • Include the time frame associated with the" -"se staff responsibilities and any training needed to prepare staff for these d" -"uties.
  • -\n" -"
" -msgstr "" - -msgid "" -"Indicate a succession strategy for these data " -"in the event that one or more people responsible for the data leaves (e.g., a " -"student leaving after graduation). Desc" -"ribe the process to be followed in the event that the Principal Investigator l" -"eaves the project. In some instances, a co-investigator or the department or d" -"ivision overseeing this research will assume responsibility." -msgstr "" - -msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project and those required for longer-term suppor" -"t for the data when the project is finished, such as the cost of preparing&nbs" -"p; your data for deposit and repository fees. Some funding agencies state explicitly the support that they will provi" -"de to meet the cost of preparing data for deposit. This might include technica" -"l aspects of data management, training requirements, file storage & backup" -" and contributions of non-project staff. Can you leverage existing resources, such as Compute Canada Resources, Unive" -"rsity Library Data Services, etc. to support implementation of your DMP?
" -"

To help assess costs, OpenAIRE&rs" -"quo;s ‘estimating costs RDM tool’ may be useful. " -msgstr "" - -msgid "" -"Use all or parts of existing strategies to mee" -"t your requirements." -msgstr "" - -msgid "" -"

In these instances, it is critical to asses" -"s whether data can or should be shared. It is necessary to comply with:" -"

-\n" -"
    -\n" -"
  • Data treatment p" -"rotocols established by the Research Ethics Board (REB) process, including dat" -"a collection consent, privacy considerations, and potential expectations of da" -"ta destruction;
  • -\n" -"
  • Data-sharing agr" -"eements or contracts.  Data that you source or derive from a third party " -"may only be shared in accordance with the original data sharing agreements or " -"licenses;
  • -\n" -"
  • Any relevant leg" -"islation.
  • -\n" -"
-\n" -"

Note:  If raw " -"or identifiable data cannot be shared, is it possible to share aggregated data" -", or to de-identify your data, or coarsen location information for sharing? If" -" data cannot be shared, consider publishing descriptive metadata (data about t" -"he data), documentation and contact information that will allow others to disc" -"over your work.

" -msgstr "" - -msgid "" -"

Think about what data needs to be shared to" -" meet institutional or funding requirements, and what data may be restricted b" -"ecause of confidentiality, privacy, or intellectual property considerations.

-\n" -"
    -\n" -"
  • Raw data are unprocessed data directly obtained from sampling, field instrume" -"nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" -"p; Sharing raw data is valuable because it enables researchers to evaluate new" -" processing techniques and analyse disparate datasets in the same way. 
  • -\n" -"
  • Processed data results from some manipulation of the raw data in order to eli" -"minate errors or outliers, to prepare the data for analysis or preservation, t" -"o derive new variables, or to de-identify the sampling locations. Processing s" -"teps need to be well described.
  • -\n" -"
  • Analyzed data are the results of qualitative, statistical, or mathematical an" -"alysis of the processed data. They may  be presented as graphs, charts or" -" statistical tables.
  • -\n" -"
  • Final data are processed " -"data that have undergone a review process to ensure data quality and, if neede" -"d, have been converted into a preservation-friendly format.
  • -\n" -"
" -msgstr "" - -msgid "" -"Data repositor" -"ies help maintain scientific data over time and support data discovery, reuse," -" citation, and quality. Researchers are encouraged to deposit data in leading " -"“domain-specific” repositories, especially those that are FAIR-ali" -"gned, whenever possible.
-\n" -"

Domain-specific repositories for water quality data include:

-\n" -"
    -\n" -"
  • DataStream: A f" -"ree, open-access platform for storing, visualizing, and sharing water quality " -"data in Canada.
  • -\n" -"
  • Canadian Aquatic Biomonitoring Network (CABIN)" -": A national biomonitoring program developed b" -"y Environment and Climate Change Canada that provides a standardized sampling " -"protocol and a recommended assessment approach for assessing aquatic ecosystem" -" condition.
  • -\n" -"
-\n" -"

General Repositories:

-\n" -"
    -\n" -"
  • Federated Research Data Repository: A scalable federated platform for digital research d" -"ata management (RDM) and discovery.
  • -\n" -"
  • Institution-spec" -"ific Dataverse: Please contact your institution’s library to see if this" -" is a possibility.
  • -\n" -"
-\n" -"

Other resources:

-\n" -"" -msgstr "" - -msgid "" -"Consider using preservation-friendly file form" -"ats. For example, non-proprietary formats, such as text (.txt) and comma-separ" -"ated (.csv), are considered preservation-friendly. For guidance, please see UBC Library" -", USGS, DataONE, or UK Data Service. Keep in mind that files converted from one format" -" to another may lose information (e.g., converting from an uncompressed TIFF f" -"ile to a compressed JPG file degrades image quality), so changes to file forma" -"ts should be documented. 

Some data you collect may be deemed sensitive and require unique preservati" -"on techniques, including anonymization. Be sure to note what this data is and " -"how you will preserve it to ensure it is used appropriately. Read more about a" -"nonymization: UBC Library or UK Data Service." -msgstr "" - -msgid "" -"Licenses dictate how your data can be used. Fu" -"nding agencies and data repositories may have end-user license requirements in" -" place; if not, they may still be able to guide you in choosing or developing " -"an appropriate license. Once determined, please consider including a copy of y" -"our end-user license with your Data Management Plan. Note that only the intell" -"ectual property rights holder(s) can issue a license, so it is crucial to clar" -"ify who owns those rights. 

There are several types of standard licenses available to researchers, su" -"ch as the Creative Commons licenses and the Open Data Commons licenses. For most datasets it is easier to use a standard license rat" -"her than to devise a custom-made one. Even if you choose to make your data par" -"t of the public domain, it is preferable to make this explicit by using a lice" -"nse such as Creative Commons' CC0. More about data licensing: UK DCC." -msgstr "" - -msgid "" -"

Possibilities include: data registries, rep" -"ositories, indexes, word-of-mouth, publications. How will the data be accessed" -" (Web service, ftp, etc.)? One of the best ways to refer other researchers to " -"your deposited datasets is to cite them the same way you cite other types of p" -"ublications. The Digital Curation Centre provides a detailed guide on data citation. S" -"ome repositories also create links from datasets to their associated papers, i" -"ncreasing the visibility of the publications. Read more at the National Instit" -"utes of Health’s Key Element" -"s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

-\n" -"Contact librarians at your institution for ass" -"istance in making your dataset visible and easily accessible, or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca" -msgstr "" - -msgid "" -"

The types of data you collect may include: " -"literature database records; PDFs of articles; quantitative and qualitative da" -"ta extracted from individual studies; a document describing your study protoco" -"l or other methods.

" -msgstr "" - -msgid "" -"

For a systematic review (or other knowledge" -" synthesis types of studies), data includes the literature you find, the data " -"that you extract from it, and the detailed methods and information that would " -"allow someone else to reproduce your results. To identify the data that will b" -"e collected or generated by your research project, start by thinking of the different stages of a systematic review a" -"nd how you are going to approach each: planning/protocol, data collection (lit" -"erature searching), study selection (screening), data extraction, risk of bias" -" assessment, synthesis, manuscript preparation.

" -msgstr "" - -msgid "" -"

Word, RTF, PDF, etc.: proj" -"ect documents, notes, drafts, review protocol, line-by-line search strategies," -" PRISMA or other reporting checklists; included studies

-\n" -"

RIS, BibTex, XML, txt: fil" -"es exported from literature databases or tools like Covidence

-\n" -"

Excel (xlsx, csv): search " -"tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" -"traction worksheets; meta-analysis data

-\n" -"

NVivo: qualitative synthes" -"is data

-\n" -"

TIF, PNG, etc.: images and" -" figures

-\n" -"

For more in-depth guidance, see “Data" -" Collection” in the University of Calgary Library Guide" -".

" -msgstr "" - -msgid "" -"

If you plan to use systematic review softwa" -"re or reference management software for screening and data management, indicat" -"e which program you will use, and what format files will be saved/exported in." -"

-\n" -"

Keep in mind that proprietary file formats " -"will require team members and potential future users of the data to have the r" -"elevant software to open or edit the data. While you may prefer to work with d" -"ata in a proprietary format, files should be converted to non-proprietary form" -"ats wherever possible at the end of the project. Read more about file formats:" -" <" -"span style=\"font-weight: 400;\">UBC Library or UK Data Service.

" -msgstr "" - -msgid "" -"

Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" -"le

-\n" -"

Example: Sutton_2019_MeetingTheReview

-\n" -"

Suggested format - screening file for reviewers:<" -"span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials -\n" -"

Example: PetTherapy_ScreeningSet1_ZP" -"

-\n" -"For more examples, see “Data Collection&" -"rdquo; in the <" -"span style=\"font-weight: 400;\">University of Calgary Library Guide
<" -"span style=\"font-weight: 400;\">.
" -msgstr "" - -msgid "" -"

It is important to keep track of different " -"copies or versions of files, files held in different formats or locations, and" -" information cross-referenced between files. Logical file structures, informat" -"ive naming conventions, and clear indications of file versions, all help ensur" -"e that you and your research team are using the appropriate version of your da" -"ta, and will minimize confusion regarding copies on different computers and/or" -" on different media.

-\n" -"

Read more about file naming and version con" -"trol: UBC Library or UK Data Archive" -".

-\n" -"Consider a naming convention that includes: th" -"e project name and date using the ISO standard for d" -"ates as required elements and stage" -" of review/task, version number, creator’s initials, etc. as optional el" -"ements as necessary." -msgstr "" - -msgid "" -"Good documentation includes information about " -"the study, data-level descriptions, and any other contextual information requi" -"red to make the data usable by other researchers. Other elements you should do" -"cument, as applicable, include: research methodology used, variable definition" -"s, units of measurement, assumptions made, format and file type of the data, a" -" description of the data capture and collection methods, explanation of data c" -"oding and analysis performed (including syntax files), and details of who has " -"worked on the project and performed each task, etc. Some of this should alread" -"y be in your protocol. For specific examples for each stage of the review, see" -" “Documentation and Metadata” in the University o" -"f Calgary Library Guide." -msgstr "" - -msgid "" -"

Where will the process and procedures for e" -"ach stage of your review be kept and shared? Will the team have a shared works" -"pace? 

-\n" -"

Who will be responsible for documenting eac" -"h stage of the review? Team members responsible for each stage of the review s" -"hould add the documentation at the conclusion of their work on a particular st" -"age, or as needed. Refer back to the data collection guidance for examples of " -"the types of documentation that need to be created.

-\n" -"

Often, resources you've already created can" -" contribute to this (e.g. your protocol). Consult regularly with members of th" -"e research team to capture potential changes in data collection/processing tha" -"t need to be reflected in the documentation. Individual roles and workflows sh" -"ould include gathering data documentation.

" -msgstr "" - -msgid "" -"Most systematic reviews will likely not use a " -"metadata standard, but if you are looking for a standard to help you code your" -" data, see the Digital Curation Centre’s list of di" -"sciplinary metadata standards." -msgstr "" - -msgid "" -"

Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time. A long-" -"term storage plan is necessary if you intend to retain your data after the res" -"earch project or update your review at a later date.

-\n" -"

A systematic review project will not typica" -"lly require more than a few GB of storage space; these needs can be met by mos" -"t common storage solutions, including shared servers.

" -msgstr "" - -msgid "" -"

Will you want to update and republish your " -"review? If so, a permanent storage space is necessary. If your meta-analysis i" -"ncludes individual patient-level data, you will require secure storage for tha" -"t data. If you are not working with sensitive data, a solution like Dropbox or" -" Google Drive may be acceptable. Consider who should have control over the sha" -"red account. Software to facilitate the systematic review process or for citat" -"ion management such as Covidence or Endnote may be used for active data storag" -"e of records and PDFs.

-\n" -"

The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

-\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Archive." -msgstr "" - -msgid "" -"

If your meta-analysis includes individual p" -"atient-level data, you will require secure storage for that data. As most syst" -"ematic reviews typically do not involve sensitive data, you likely don’t" -" need secure storage. A storage space such as Dropbox or Google Drive should b" -"e acceptable, as long as it is only shared among team members. Consider who wi" -"ll retain access to the shared storage space and for how long. Consider who sh" -"ould be the owner of the account. If necessary, have a process for transferrin" -"g ownership of files in the event of personnel changes.

-\n" -"

An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Relying on email for data transfer is not a robust or secure" -" solution.

" -msgstr "" - -msgid "" -"

The issue of data retention should be consi" -"dered early in the research lifecycle. Data-retention decisions can be driven " -"by external policies (e.g. funding agencies, journal publishers), or by an und" -"erstanding of the enduring value of a given set of data. Consider what you wan" -"t to share long-term vs. what you need to keep long-term; these might be two s" -"eparately stored data sets. 

-\n" -"

Long-term preservation is an important aspe" -"ct to consider for systematic reviews as they may be rejected and need to be r" -"eworked/resubmitted, or the authors may wish to publish an updated review in a" -" few years’ time (this is particularly important given the increased int" -"erest in the concept of a ‘living systematic review’). 

-\n" -"For more detailed guidance, and some suggested" -" repositories, see “Long-Term Preservation” on the University of Calgary Library Guide." -msgstr "" - -msgid "" -"

Some data formats are optimal for long-term" -" preservation of data. For example, non-proprietary file formats, such as text" -" ('.txt') and comma-separated ('.csv'), are considered preservation-friendly. " -"The UK Data Service<" -"span style=\"font-weight: 400;\"> provides a useful table of file formats for va" -"rious types of data. 

-\n" -"

Keep in mind that converting files from pro" -"prietary to non-proprietary formats may lose information or affect functionali" -"ty. If this is a concern, you can archive both a proprietary and non-proprieta" -"ry version of the file. Always document any format changes between files when " -"sharing preservation copies.

" -msgstr "" - -msgid "" -"

Examples of what should be shared: 

-\n" -"
    -\n" -"
  • protocols <" -"/span>
  • -\n" -"
  • complete search " -"strategies for all databases 
  • -\n" -"
  • data extraction " -"forms 
  • -\n" -"
  • statistical code" -" and data files (e.g. CSV or Excel files) that are exported into a statistical" -" program to recreate relevant meta-analyses
  • -\n" -"
-\n" -"For more examples, consult “Sharing and " -"Reuse” on the University of Calgary Library Guide" -"." -msgstr "" - -msgid "" -"

Raw data are directly obta" -"ined from the instrument, simulation or survey. 

-\n" -"

Processed data result from" -" some manipulation of the raw data in order to eliminate errors or outliers, t" -"o prepare the data for analysis, to derive new variables. 

-\n" -"

Analyzed data are the resu" -"lts of qualitative, statistical, or mathematical analysis of the processed dat" -"a. They can be presented as graphs, charts or statistical tables. " -"

-\n" -"Final data are processed data" -" that have, if needed, been converted into a preservation-friendly format. " -msgstr "" - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons or Open Data Commons licenses. Even if you choose to make your data part of the public " -"domain, it is preferable to make this explicit by using a license such as Crea" -"tive Commons' CC0. More about data licensing: UK Data Curation Centre." -msgstr "" - -msgid "" -"

Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. You may also want to check the requirements of any jou" -"rnals you plan to submit to - do they require data associated with your manusc" -"ript to be made public? Note that only the intellectual property rights holder" -"(s) can issue a license, so it is crucial to clarify who owns those rights.

-\n" -"

Consider whether attribution is important t" -"o you; if so, select a license whose terms require that data used by others be" -" properly attributed to the original authors. Include a copy of your end-user " -"license with your Data Management Plan.

" -msgstr "" - -msgid "" -"The datasets analysed during the current study" -" are available in the University of Calgary’s PRISM Dataverse repository" -", [https://doi.org/exampledoi]." -msgstr "" - -msgid "" -"Choose a repository that offers persistent ide" -"ntifiers such as a DOI. These are persistent links that provide stable long-te" -"rm access to your data. Ensure you put a data availability statement in your a" -"rticle, with proper citation to the location of your data. If possible, put th" -"is under its own heading. If the journal does not use this heading in its form" -"atting, you could include this information in your Methods section or as a sup" -"plementary file you provide." -msgstr "" - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties. Syst" -"ematic review projects have stages, which can act as great reminders to ensure" -" that data associated with each stage are made accessible to other project mem" -"bers in a timely fashion. " -msgstr "" - -msgid "" -"

Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves. Descr" -"ibe the process to be followed in the event that the Principal Investigator le" -"aves the project. In some instances, a co-investigator or the department or di" -"vision overseeing this research will assume responsibility.

-\n" -"If data is deposited into a shared space as ea" -"ch stage of the review is completed, there is greater likelihood that the team" -" has all of the data necessary to successfully handle personnel changes. NOTE: Shared storage spaces" -" such as Dropbox and Google drive are attached to an individual’s accoun" -"t and storage capacity so consideration needs to be given as to who should be " -"the primary account holder for the shared storage space, and how data will be " -"transferred to another account if that person leaves the team." -msgstr "" - -msgid "" -"Consider the cost of systematic review managem" -"ent software and citation management software if you are applying for a grant," -" as well as the cost for shared storage space, if needed. What training do you" -" or your team need to ensure that everyone is able to adhere to the processes/" -"policies outlined in the data management plan? " -msgstr "" - -msgid "" -"Most reviews do not include sensitive data, bu" -"t if you are using individual patient-level data in your meta-analysis there m" -"ay be data sharing agreements that are required between institutions. These ap" -"provals require coordination with the legal teams between multiple institution" -"s and will necessitate secure data management practices. This type of data wil" -"l not be open for sharing. Sensitive data should never be shared via email or " -"cloud storage services such as Dropbox." -msgstr "" - -msgid "" -"Systematic reviews generally do not generate s" -"ensitive data, however, it may be useful for different readers (e.g., funders," -" ethics boards) if you explicitly indicate that you do not expect to generate " -"sensitive data." -msgstr "" - -msgid "" -"

Be aware that PDF articles and even databas" -"e records used in your review may be subject to copyright. You can store them " -"in your group project space, but they should not be shared as part of your ope" -"n dataset.

-\n" -"

If you are reusing others’ published " -"datasets as part of your meta-analysis, ensure that you are complying with any" -" applicable licences on the original dataset, and properly cite that dataset.<" -"/span>

" -msgstr "" - -msgid "" -"Examples of experimental image data may includ" -"e: Magnetic Resonance (MR), X-ray, Fluorescent Resonance Energy Transfer (FRET" -"), Fluorescent Lifetime Imaging (FLIM), Atomic-Force Microscopy (AFM), Electro" -"n Paramagnetic Resonance (EPR), Laser Scanning Microscope (LSM), Extended X-ra" -"y Absorption Fine Structure (EXAFS), Femtosecond X-ray, Raman spectroscopy, or" -" other digital imaging methods. " -msgstr "" - -msgid "" -"

Describe the type(s) of data that will be c" -"ollected, such as: text, numeric (ASCII, binary), images, and animations. " -";

-\n" -"List the file formats you expect to use. Keep " -"in mind that some file formats are optimal for the long-term preservation of d" -"ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" -"ed ('.csv'), TIFF (‘.tiff’), JPEG (‘.jpg’), and MPEG-4" -" (‘.m4v’, ‘mp4’). Files converted from one format to a" -"nother for archiving and preservation may lose information (e.g. converting fr" -"om an uncompressed TIFF file to a compressed JPG file), so changes to file for" -"mats should be documented. Guidance on file formats recommended for sharing an" -"d preservation are available from the UK Data Service, Cornell’s Digital Repository, the University of Edinburgh, and the University of B" -"ritish Columbia. " -msgstr "" - -msgid "" -"

Describe any secondary data you expect to r" -"euse. List any available documentation, licenses, or terms of use assigned. If" -" the data have a DOI or unique accession number, include that information and " -"the name of the repository or database that holds the data. This will allow yo" -"u to easily navigate back to the data, and properly cite and acknowledge the d" -"ata creators in any publication or research output.  

-\n" -"

For data that are not publicly available, y" -"ou may have entered into a data-sharing arrangement with the data owner, which" -" should be noted here.  A data-sharing arrangement describes what data ar" -"e being shared and how the data can be used. It can be a license agreement or " -"any other formal agreement, for example, an agreement to use copyright-protect" -"ed data.

" -msgstr "" - -msgid "" -"

An example of experimental data from a seco" -"ndary data source may be structures or parameters obtained from P" -"rotein Data Bank (PDB). 

-\n" -"

Examples of computational data and data sou" -"rces may include: log files, parameters, structures, or trajectory files from " -"previous modeling/simulations or tests.

" -msgstr "" - -msgid "" -"

List all devices and/or instruments and des" -"cribe the experimental setup (if applicable) that will be utilized to collect " -"empirical data. For commercial instruments or devices, indicate the brand, typ" -"e, and other necessary characteristics for identification. For a home-built ex" -"perimental setup, list the components, and describe the functional connectivit" -"y. Use diagrams when essential for clarity. 

-\n" -"

Indicate the program and software package w" -"ith the version you will use to prepare a structure or a parameter file for mo" -"deling or simulation. If web-based services such as FALCON@home" -", ProM" -"odel, CHARMM-GUI, etc. will be used to prepare or generate data, provide" -" details such as the name of the service, URL, version (if applicable), and de" -"scription of how you plan to use it. 

-\n" -"If you plan to use your own software or code, " -"specify where and how it can be obtained to independently verify computational" -" outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" -"r source. Specify if research collaboration platforms such as CodeOcean, or
WholeTale
will be used to create, execute, and publish computational findings. " -msgstr "" - -msgid "" -"Reproducible computational practices are criti" -"cal to continuing progress within the discipline. At a high level, describe th" -"e steps you will take to ensure computational reproducibility in your project," -" including the operations you expect to perform on the data, and the path take" -"n by the data through systems, devices, and/or procedures. Describe how an ins" -"trument response function will be obtained, and operations and/or procedures t" -"hrough which data (research and computational outputs) can be replicated. Indi" -"cate what documentation will be provided to ensure the reproducibility of your" -" research and computational outputs." -msgstr "" - -msgid "" -"

Some examples of data procedures include: d" -"ata normalization, data fitting, data convolution, or Fourier transformation.&" -"nbsp;

-\n" -"

Examples of documentation may include: synt" -"ax, code, algorithm(s), parameters, device log files, or manuals. 

" -msgstr "" - -msgid "" -"

Documentation can be provided in the form o" -"f a README file with information to ensure the data can be correctly interpret" -"ed by you or by others when you share or publish your data. Typically, a READM" -"E file includes a description (or abstract) of the study, and any other contex" -"tual information required to make data usable by other researchers. Other info" -"rmation could include: research methodology used, variable definitions, vocabu" -"laries, units of measurement, assumptions made, format and file type of the da" -"ta, a description of the data origin and production, an explanation of data fi" -"le formats that were converted, a description of data analysis performed, a de" -"scription of the computational environment, references to external data source" -"s, details of who worked on the project and performed each task. Further guida" -"nce on writing README files is available from the University of British Columb" -"ia (U" -"BC) and Cornell" -" University. 

-\n" -"

Consider also saving detailed information d" -"uring the course of the project in a log file. A log file will help to manage " -"and resolve issues that arise during a project and prioritize the response to " -"them. It may include events that occur in an operating system, messages betwee" -"n users, run time and error messages for troubleshooting. The level of detail " -"in a log file depends on the complexity of your project.

" -msgstr "" - -msgid "" -"

Consider how you will capture this informat" -"ion in advance of data production and analysis, to ensure accuracy, consistenc" -"y, and completeness of the documentation.  Often, resources you've alread" -"y created can contribute to this (e.g. publications, websites, progress report" -"s, etc.).  It is useful to consult regularly with members of the research" -" team to capture potential changes in data collection/processing that need to " -"be reflected in the documentation. Individual roles and workflows should inclu" -"de gathering data documentation as a key element.

-\n" -"Describe how data will be shared and accessed " -"by the members of the research group during the project. Provide details of th" -"e data management service or tool (name, URL) that will be utilized to share d" -"ata with the research group (e.g. Open Science Framework [OSF] or Radiam)." -msgstr "" - -msgid "" -"

There are many general and domain-specific " -"metadata standards. Dataset documentation should be provided in a standard, ma" -"chine-readable, openly-accessible format to enable the effective exchange of i" -"nformation between users and systems. These standards are often based on langu" -"age-independent data formats such as XML, RDF, and JSON. Read more about metad" -"ata standards here: UK Digital Curation Centre's Disciplinary" -" Metadata.

" -msgstr "" - -msgid "" -"Storage-space estimates should consider requir" -"ements for file versioning, backups, and growth over time.  If you are co" -"llecting data over a long period (e.g. several months or years), your data sto" -"rage and backup strategy should accommodate data growth. Similarly, a long-ter" -"m storage plan is necessary if you intend to retain your data after the resear" -"ch project. " -msgstr "" - -msgid "" -"

Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

-\n" -"The risk of losing data due to human error, na" -"tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" -"ckup rule: -\n" -"
    -\n" -"
  • Have at least three copies of your data.
  • -\n" -"
  • Store the copies on two different media.
  • -\n" -"
  • Keep one backup copy offsite.
  • -" -"\n" -"
" -msgstr "" - -msgid "" -"

Consider which data need to be shared to me" -"et institutional, funding, or industry requirements. Consider which data will " -"need to be restricted because of data-sharing arrangements with third parties," -" or other intellectual property considerations. 

-\n" -"

In this context, data might include researc" -"h and computational findings, software, code, algorithms, or any other outputs" -" (research or computational) that may be generated during the project. Researc" -"h outputs might be in the form of:

-\n" -"
    -\n" -"
  • raw data are the data dir" -"ectly obtained from the simulation or modeling;
  • -\n" -"
  • processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, or to derive new variables; or
  • -" -"\n" -"
  • analyzed data are the res" -"ults of quantitative, statistical, or mathematical analysis of the processed d" -"ata.
  • -\n" -"
" -msgstr "" - -msgid "" -"

Possibilities include: data registries, dat" -"a repositories, indexes, word-of-mouth, and publications. If possible, choose " -"to archive your data in a repository that will assign a persistent identifier " -"(such as a DOI) to your dataset. This will ensure stable access to the dataset" -" and make it retrievable by various discovery tools. 

-\n" -"One of the best ways to refer other researcher" -"s to your deposited datasets is to cite them the same way you cite other types" -" of publications (articles, books, proceedings). The Digital Curation Centre p" -"rovides a detailed guide on data citation. Note that some data repositories also creat" -"e links from datasets to their associated papers, thus increasing the visibili" -"ty of the publications.  " -msgstr "" - -msgid "" -"

Some strategies for sharing include:
<" -"/span>

-\n" -"
    -\n" -"
  1. Research collaboration platforms such as <" -"a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" -"sh computational code and data;
  2. -\n" -"
  3. GitHub, " -"GitLab or Bitbucket will be utiliz" -"ed to allow for version control;
  4. -\n" -"
  5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" -"tudy, share, and modify the code or software. For further information about li" -"censes see, for example, the Open So" -"urce Initiative;
  6. -\n" -"
  7. The code or software will be archived in a" -" repository, and a DOI will be assigned to track use through citations. Provid" -"e the name of the repository;
  8. -\n" -"
  9. A software patent will be submitted.
  10. -\n" -"
" -msgstr "" - -msgid "" -"

In cases where only selected data will be r" -"etained, indicate the reason(s) for this decision. These might include legal, " -"physical preservation issues or other requirements to keep or destroy data.&nb" -"sp;

-\n" -"

There are general-purpose data repositories" -" available in Canada, such as Scholars Portal Dataverse, and the Federated Research Data Repository (" -"FRDR), which have preservation poli" -"cies in place. Many research disciplines also have dedicated repositories. Scientific Data, for example, provides a list of repositories for scientific research " -"outputs.  Some of these repositories may request or require data to be su" -"bmitted in a specific file format. You may wish to consult with a repository e" -"arly in your project, to ensure your data are generated in, or can be transfor" -"med into, an appropriate standard format for your field. Re3data.org is an international registry of research data re" -"positories that may help you identify a suitable repository for your data. The" -" Repository Finder tool h" -"osted by DataCite can help you find a repo" -"sitory listed in re3data.org. For assistance in making your dataset visible an" -"d easily accessible, contact your institution’s library or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca

" -msgstr "" - -msgid "" -"Consider the end-user license, and ownership o" -"r intellectual property rights of any secondary data or code you will use. Con" -"sider any data-sharing agreements you have signed, and repository ‘terms" -" of use’ you have agreed to. These may determine what end-user license y" -"ou can apply to your own research outputs, and may limit if and how you can re" -"distribute your research outputs. If you are working with an industry partner," -" will you have a process in place to manage that partnership, and an understan" -"ding of how the research outputs may be shared? Describe any foreseeable conce" -"rns or constraints here, if applicable." -msgstr "" - -msgid "" -"Identify who will be responsible -- individual" -"s or organizations -- for carrying out these parts of your project. Consider i" -"ncluding the time frame associated with these staff responsibilities, and docu" -"ment any training needed to prepare staff for data management duties." -msgstr "" - -msgid "" -"Indicate a succession strategy for management " -"of these data if one or more people responsible for the data leaves (e.g. a gr" -"aduate student leaving after graduation). Describe the process to follow if th" -"e Principal Investigator leaves the project. In some instances, a co-investiga" -"tor or the department or division overseeing this research will assume respons" -"ibility." -msgstr "" - -msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project as well as those required for the longer-" -"term support for the data after the project has completed. Items to consider i" -"n the latter category of expenses include the costs of curating and providing " -"long-term access to the data. It might include technical aspects of data manag" -"ement, training requirements, file storage & backup, the computational env" -"ironment or software needed to manage, analyze or visualize research data, and" -" contributions of non-project staff. Read more about the costs of RDM and how " -"these can be addressed in advance: “What will it cost " -"to manage and share my data?”" -" by OpenAIRE. There is also an online data management costing" -" tool available to help determine the costs and staffing requirements in your " -"project proposal. " -msgstr "" - -msgid "" -"

Assign responsibilities: O" -"nce completed, your data management plan will outline important data activitie" -"s in your project. Identify who will be responsible -- individuals or organiza" -"tions -- for carrying out these parts of your data management plan. This could" -" also include the time frame associated with these staff responsibilities and " -"any training needed to prepare staff for these duties.

" -msgstr "" - -msgid "" -"

Succession planning: The P" -"I is usually in charge of maintaining data accessibility standards for the tea" -"m. Consider who will field questions about accessing information or granting a" -"ccess to the data in  the event the PI leaves the project. Usually the Co" -"-PI takes over the responsibilities.

-\n" -"

Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves (e.g. " -"a graduate student leaving after graduation). Describe the process to be follo" -"wed in the event that the Principal Investigator leaves the project. In some i" -"nstances, a co-investigator or the department or division overseeing this rese" -"arch will assume responsibility.

" -msgstr "" - -msgid "" -"Budgeting: Common purchases a" -"re hard drives, cloud storage or software access. TU Delft&" -"rsquo;s Data Management Costing Tool is helpful to determine the share of human labor (FTE) that should be alloca" -"ted for research data management." -msgstr "" - -msgid "" -"

Data types: Your rese" -"arch data may include digital resources, software code, audio files, image fil" -"es, video, numeric, text, tabular data, modeling data, spatial data, instrumen" -"tation data.

" -msgstr "" - -msgid "" -"Proprietary file formats requiring specialized" -" software or hardware to use are not recommended, but may be necessary for cer" -"tain data collection or analysis methods. Using open file formats or industry-" -"standard formats (e.g. those widely used by a given community) is preferred wh" -"enever possible. Read more about file formats: Library and Archives Canada,
  UBC Library" -" or UK Data Arc" -"hive. " -msgstr "" - -msgid "" -"File naming and versioning: It is important to keep track of " -"different copies or versions of files, files held in different formats or loca" -"tions, and information cross-referenced between files. This process is called " -"'version control'. Logical file structures, informative naming conventions, an" -"d clear indications of file versions, all contribute to better use of your dat" -"a during and after your research project. These practices will help ensure tha" -"t you and your research team are using the appropriate version of your data, a" -"nd minimize confusion regarding copies on different computers and/or on differ" -"ent media. Read more about file naming and version control from UBC Library or th" -"e UK Data Service.

Remember that this workflow can be adapted, a" -"nd the DMP updated throughout the project.

Using a file naming convention worksheet can be very useful. Make sure the conv" -"ention only uses alphanumeric characters, dashes and underscores. In general, " -"file names should be 32 characters or less and contain the date and the versio" -"n number (e.g.: “P1-MUS023_2020-02-29_051_raw.tif” and “P1-M" -"US023_2020-02-29_051_clean_v1.tif”).

Document workfl" -"ows: Have you thought about how you will capture, save and share your" -" workflow and project milestones with your team? You can create an onboarding " -"document to ensure that all team members adopt the same workflows or use workf" -"low management tools like OSF or GitHub." -msgstr "" - -msgid "" -"

Data documentation: I" -"t is strongly encouraged to include a ReadMe file with all datasets (or simila" -"r) to assist in understanding data collection and processing methods, naming c" -"onventions and file structure.

-\n" -"Typically, good data documentation includes in" -"formation about the study, data-level descriptions, and any other contextual i" -"nformation required to make the data usable by other researchers. Other elemen" -"ts you should document, as applicable, include: research methodology used, var" -"iable definitions, vocabularies, classification systems, units of measurement," -" assumptions made, format and file type of the data, a description of the data" -" capture and collection methods, explanation of data coding and analysis perfo" -"rmed (including syntax files). View a useful template from Cornell University&" -"rsquo;s “Guide to writing ‘ReadMe’ style" -" metadata”
." -msgstr "" - -msgid "" -"

Assign responsibilities for documentation: Individual roles and workflows should include gathering " -"data documentation as a key element.

-\n" -"

Establishing responsibilities for data mana" -"gement and documentation is useful if you do it early on,  ideally in adv" -"ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" -"inning of each project. They can also be used to make team members responsible" -" for proper data management and documentation.

-\n" -"

Consider how you will capture this informat" -"ion and where it will be recorded, to ensure accuracy, consistency, and comple" -"teness of the documentation.

" -msgstr "" - -msgid "" -"

Metadata for datasets: DataCite has developed a metadata schema specifically for open datasets. It lists a set of core" -" metadata fields and instructions to make datasets easily identifiable and cit" -"able. 

-\n" -"There are many other general and domain-specif" -"ic metadata standards.  Dataset documentation should be provided in one o" -"f these standard, machine readable, openly-accessible formats to enable the ef" -"fective exchange of information between users and systems.  These standar" -"ds are often based on language-independent data formats such as XML, RDF, and " -"JSON. There are many metadata standards based on these formats, including disc" -"ipline-specific standards. Read more about metadata standards at the UK Digital Curation Centre's Disciplinary Metadata resource.
" -msgstr "" - -msgid "" -"

Document your process: It is useful to consult regularly with members of the research team to captu" -"re potential changes in data collection/processing that need to be reflected i" -"n the documentation.

" -msgstr "" - -msgid "" -"

Estimating data storage needs: Storage-space estimates should take into account requirements for fi" -"le versioning, backups, and growth over time. 

-\n" -"

If you are collecting data over a long peri" -"od (e.g. several months or years), your data storage and backup strategy shoul" -"d accommodate data growth. Include your back-up storage media in your estimate" -".

" -msgstr "" - -msgid "" -"

Follow the 3-2-1 rule to prevent data loss: It&rsquo" -";s important to have a regular backup schedule — and to document that pr" -"ocess — so that you can review any changes to the data at any point duri" -"ng the project. The risk of losing data due to human error, natural disasters," -" or other mishaps can be mitigated by following the 3-2-1 backup rule: Have at" -" least three copies of your data; store the copies on two different media; kee" -"p one backup copy offsite. Read more about storage and backup practices  " -"from the University of Sheffield Library and the UK Data Service.

" -msgstr "" - -msgid "" -"

Ask for help: Your in" -"stitution should be able to provide guidance with local storage solutions. See" -"k out RDM support at your Library or your Advanced Research Computing departme" -"nt. 

-\n" -"

Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and servers are often located outside Canad" -"a. This may contravene ethics protocol requirements or other institutional pol" -"icies. 

-\n" -"

An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution.

-\n" -"
    -\n" -"
  • Raw data are directly obt" -"ained from the instrument, simulation or survey. 
  • -\n" -"
  • Processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, to derive new variables, or to de-identify t" -"he human participants. 
  • -\n" -"
  • Analyzed data are the res" -"ults of qualitative, statistical, or mathematical analysis of the processed da" -"ta. They can be presented as graphs, charts or statistical tables. 
  • -\n" -"
  • Final data are processed " -"data that have, if needed, been converted into a preservation-friendly format." -" 
  • -\n" -"
" -msgstr "" - -msgid "" -"

Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

-\n" -"

If you publish your data in a data reposito" -"ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" -"y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

-\n" -"re3data.org" -" is a directory of potential open d" -"ata repositories. Consult with your colleagues to determine what repositories " -"are common for data sharing in your field. You can also enquire about RDM supp" -"ort at your local institution, often in the Library or Advanced Research Compu" -"ting. In the absence of local support, consult this Portage reposito" -"ry options guide." -msgstr "" - -msgid "" -"

How long should you keep your data? The length of time that you will keep or share your data beyond the " -"active phase of your research can be determined by external policies (e.g. fun" -"ding agencies, journal publishers), or by an understanding of the enduring (hi" -"storical) value of a given set of data. The need to publish data in the short-" -"term (i.e. for peer-verification purposes), for a longer-term access for reuse" -" (to comply with funding requirements), or for preservation through ongoing fi" -"le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

-\n" -"

If you need long-term archiving for your da" -"ta set, choose a  preservation-capable repository. Digital preservation c" -"an be costly and time-consuming, and not all data can or should be preserved. " -" 

" -msgstr "" - -msgid "" -"

Consider which types of data need to be sha" -"red to meet institutional or funding requirements, and which data may be restr" -"icted because of confidentiality/privacy/intellectual property considerations." -"

" -msgstr "" - -msgid "" -"

Use open licenses to promote data sharing and reuse: " -"Licenses determine what uses can be made of yo" -"ur data. Consider including a copy of your end-user license with your DMP. 

-\n" -"

As the creator of a dataset (or any other a" -"cademic or creative work) you usually hold its copyright by default. However, " -"copyright prevents other researchers from reusing and building on your work. <" -"/span>Open Data Commons licenses " -"and Creative Commons licenses are a free, simple and standardized way to grant copyright permiss" -"ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" -"cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

-\n" -"

Even if you choose to make your data part o" -"f the public domain (with no restrictions on reuse), it is preferable to make " -"this explicit by using a license such as Creative Common" -"s' CC0. It is strongly recommended " -"to  share your data openly using an Open Data or Creative Commons license" -". 

-\n" -"Learn more about data licensing at the " -"Digital Curation Centre
." -msgstr "" - -msgid "" -"

Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" -", talks, webinars, discussion boards or discipline-specific forums are good wa" -"ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

-\n" -"

One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. Publish your data in a repository that will assign a pers" -"istent identifier (such as a DOI) to your dataset. This will ensure a stable a" -"ccess to the dataset and make it retrievable by various discovery tools. Some " -"repositories also create links from datasets to their associated papers, incre" -"asing the visibility of the publications.

" +"

There are many potential sources of existin" +"g data, including research data repositories, research registries, and governm" +"ent agencies. 

\n" +"

Examples of these include:

\n" +" \n" +" \n" +"
    \n" +"
  • Research data re" +"positories, such as those listed at " +"re3data.org
  • \n" +"
\n" +" \n" +"

You may also wish to contact the Library at" +" your institution for assistance in searching for any existing data that may b" +"e useful to your research.

" msgstr "" msgid "" -"

Determine jurisdiction: If" -" your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

-\n" -"

Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

-\n" -"

If you collaborate with a partner in the Eu" -"ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

-\n" -"

If you are working with data that has First" -" Nations, Métis, or Inuit ownership, for example, you will need to work" -" with protocols that ensure community privacy is respected and community harm " -"is reduced. For further guidance on Indigenous data sovereignty, see OCAP P" -"rinciples, and in a global  co" -"ntext, CARE Principles of Indigenous Data Governance.

" +"

Include a description of any methods that y" +"ou will use to collect data, including electronic platforms or paper based met" +"hods. For electronic methods be sure to include descriptions of any privacy po" +"licies as well as where and how data will be stored while within the platform." +"

For an example of a detaile" +"d mixed methods description, see this Portage DMP Exemplar in either English or French" +".

\n" +"

There are many electronic survey data colle" +"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" +"span style=\"font-weight: 400;\">and " +"where your survey data will be col" +"lected and stored is an essential component of managing your data and ensuring" +" that you are adhering to any security requirements imposed by funders or rese" +"arch ethics boards. 

\n" +"Additionally, it is important to clearly under" +"stand any security and privacy policies that are in place for any given electr" +"onic platform that you will use for collecting your data  - examples of s" +"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." msgstr "" msgid "" -"

Get informed consent before you collect data: Obtaining the appropriate consent from research parti" -"cipants is an important step in assuring Research Ethics Boards that the data " -"may be shared with researchers outside your project. Your informed consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers. For example, your statement may stipulate that the data will ei" -"ther only be shared for non-profit research purposes (you can use CC-by-NC &md" -"ash; the non-commercial Creative Commons licence with attribution) or that the" -" data will not be linked with other personally-identifying data. Note that thi" -"s aspect is not covered by an open license. You can learn more about data secu" -"rity at the UK Data Service.

-\n" -"

Inform your study participants if you inten" -"d to publish an anonymized and de-identified version of collected data, and th" -"at by participating, they agree to these terms. For sample language for inform" -"ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

-\n" -"

You may need to consider strategies to ensu" -"re the ethical reuse of your published dataset by new researchers. These strat" -"egies may affect your selection of a suitable license, and in some cases you m" -"ay not be able to use an open license.

" +"

To support transcribing activities within y" +"our research project, it is recommended that you implement a transcribing prot" +"ocol which clearly outlines such things as formatting instructions, a summary " +"of contextual metadata to include, participant and interviewer anonymization, " +"and file naming conventions.

\n" +"

When outsourcing transcribing services, and" +" especially when collecting sensitive data, it is important to have a confiden" +"tiality agreement in place with transcribers, including a protocol for their d" +"eleting any copies of data once it has been transcribed, transferred, and appr" +"oved. Additionally, you will need to ensure that methods for transferring and " +"storing data align with any applicable funder or institutional requirements.

" msgstr "" msgid "" -"

Privacy protection: O" -"pen science workflows prioritize being “as open as possible and as close" -"d as necessary.” Think about any privacy concerns you may have in regard" -"s to your data, or other restrictions on access outlined in your ethics protoc" -"ol. If your institution or funder regulates legal or ethical guidelines on wha" -"t information must be protected, take a moment to verify you have complied wit" -"h the terms for consent of sharing data. In the absence of local support for a" -"nonymization or de-identification of data, you can reach out to the Portage DM" -"P Coordinator at support@portagenet" -"work.ca.  

" +"

Transferring of data is a critical stage of" +" the data collection process, and especially so when managing sensitive inform" +"ation. Data transfers may occur:

\n" +"
    \n" +"
  • from the field (" +"real world settings)
  • \n" +"
  • from data provid" +"ers
  • \n" +"
  • between research" +"ers
  • \n" +"
  • between research" +"ers & stakeholders
  • \n" +"
\n" +"

It is best practice to identify data transf" +"er methods that you will use before" +" your research begins.

" +"\n" +"

Some risks associated with the transferring" +" of data include loss of data, unintended copies of data files, and data being" +" provided to unintended recipients. You should avoid transferring data using u" +"nsecured methods, such as email. Typical approved methods for transferring dat" +"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" +"proved by your institution. 

\n" +"

Talk to your local IT support to identify s" +"ecure data transferring methods available to you.

" msgstr "" msgid "" -"

Please explain, in particular:

-\n" -"
    -\n" -"
  • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
  • -\n" -"
  • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
  • -\n" -"
  • Approximately how many participants does the study plan to acquire images " -"from?
  • -\n" +"

    Ensuring that your data files exist in non-" +"proprietary formats helps to ensure that they are able to be easily accessed a" +"nd reused by others in the future.

    \n" +"

    Examples of non-proprietary file formats in" +"clude:

    \n" +"

    Surveys: CSV" +"; HTML; Unicode Transformation Formats 

    \n" +"

    Qualitative interviews:

    \n" +" \n" +"

    For more information and resources pertaini" +"ng to file formats you may wish to visit:

    \n" +"" msgstr "" msgid "" -"For fellow researchers, a write-up of your met" -"hods is indispensable for supporting the reproducibility of a study. In prepar" -"ation for publishing, consider creating an online document or folder (e.g. ope" -"nneuro, github, zenodo, osf) where your project methods can be gathered/prepar" -"ed. If appropriate, provide a link to that space here." -msgstr "" - -msgid "" -"Planning how research data will be stored and " -"backed up throughout and beyond a research project is critical in ensuring dat" -"a security and integrity. Appropriate storage and backup not only helps protec" -"t research data from catastrophic losses (due to hardware and software failure" -"s, viruses, hackers, natural disasters, human error, etc.), but also facilitat" -"es appropriate access by current and future researchers. You may need to encry" -"pt your data to ensure it is not accessible by those outside the project. For " -"more information, see the University of Waterloo’s Guideline for researchers on securing research participants'" -" data.

    Please provide URL(s) to any data storage sites. If your" -" data are subject to strict rules governing human subjects and anonymity, then" -" you may need an on-premise solution installed on your institution’s ser" -"ver.
    " -msgstr "" - -msgid "" -"Choices about data preservation will depend on" -" the potential for reuse and long-term significance of the data, as well as wh" -"ether you have obligations to funders or collaborators to either retain or des" -"troy data, and what resources will be required to ensure it remains usable in " -"the future. The need to preserve data in the short-term (i.e. for peer-verific" -"ation purposes) or long-term (for data of lasting value) will influence the ch" -"oice of data repository or archive. Tools such as DataCite's reposit" -"ory finder tool and re3data.org<" -"/a> are useful for finding an appropriate repo" -"sitory for your data. " +"

    Include a description of the survey codeboo" +"k(s) (data dictionary), as well as how it will be developed and generated. You" +" should also include a description of the interview data that will be collecte" +"d, including any important contextual information and metadata associated with" +" file formats.

    \n" +"

    Your documentation may include study-level " +"information about:

    \n" +"
      \n" +"
    • who created/coll" +"ected the data
    • \n" +"
    • when it was crea" +"ted
    • \n" +"
    • any relevant stu" +"dy documents
    • \n" +"
    • conditions of us" +"e
    • \n" +"
    • contextual detai" +"ls about data collection methods and procedural documentation about how data f" +"iles are stored, structured, and modified.
    • \n" +"
    \n" +"

    A complete description of the data files ma" +"y include:

    \n" +"
      \n" +"
    • naming and label" +"ling conventions
    • \n" +"
    • explanations of " +"codes and variables
    • \n" +"
    • any information " +"or files required to reproduce derived data.
    • \n" +"
    \n" +"More information about both general and discip" +"line specific data documentation is available at
    https://" +"www.dcc.ac.uk/guidance/standards/metadata" msgstr "" - -msgid "" -"Most Canadian research funding agencies now ha" -"ve policies recommending or requiring research data to be shared upon publicat" -"ion of the research results or within a reasonable period of time. While data " -"sharing contributes to the visibility and impact of research, it has to be bal" -"anced with the legitimate desire of researchers to maximise their research out" -"puts before releasing their data. Equally important is the need to protect the" -" privacy of respondents and to properly handle sensitive data. What you can share, and with whom, may depend on what " -"type of consent is obtained from study participants. In a case where some (or " -"all) or the data analyzed was previously acquired (by your research team or by" -" others), what you can share for this current study may also be dependent on t" -"he terms under which the original data were provided, and any restrictions tha" -"t were placed on that data originally. Provide a copy of your consent forms an" -"d licensing terms for any secondary data, if available." + +msgid "" +"For guidance on file naming conventions please" +" see the University of Edinburgh." msgstr "" msgid "" -"Data management focuses on the 'what' and 'how" -"' of operationally supporting data across the research lifecycle. Data steward" -"ship focuses on 'who' is responsible for ensuring that data management happens" -". A large project, for example, will involve multiple data stewards. The Princ" -"ipal Investigator should identify at the beginning of a project all of the peo" -"ple who will have responsibilities for data management tasks during and after " -"the project." +"

    High quality documentation and metadata hel" +"p to ensure accuracy, consistency, and completeness of your data. It is consid" +"ered best practice to develop and implement protocols that clearly communicate" +" processes for capturing important information throughout your research projec" +"t. Example topics that these protocols " +"might cover include file naming conventions, file versioning, folder structure" +", and both descriptive and structural metadata. 

    \n" +"Researchers and research staff should ideally " +"have the opportunity to contribute to the content of metadata protocols, and i" +"t is additionally useful to consult reg" +"ularly with members of the research team to capture any potential changes in d" +"ata collection/processing that need to be reflected in the documentation." msgstr "" msgid "" -"This estimate should incorporate data manageme" -"nt costs expected during the project as well as those required for the longer-" -"term support for the data after the project is finished. Items to consider in " -"the latter category of expenses include the costs of curating and providing lo" -"ng-term access to the data. Some funding agencies state explicitly that they w" -"ill provide support to meet the cost of preparing data for deposit. This might" -" include technical aspects of data management, training requirements, file sto" -"rage & backup, and contributions of non-project staff. OpenAIRE has developed a tool to help researchers estimate" -" costs associated with data management. Access this tool " -"here." +"

    Metadata are descriptions of the contents a" +"nd context of data files. Using a metadata standard (a set of required fields " +"to fill out) helps to ensure that your documentation is consistent, structured" +", and machine-readable, which is essential for depositing data in repositories" +" and making it easily discoverable by search engines.

    \n" +"

    There are both general and d" +"iscipline-specific metadata standar" +"ds and tools for research data.

    \n" +"

    One of the most widely used metadata standa" +"rds for surveys is DDI (Data Documentati" +"on Initiative), a free standard that can document and manage different stages " +"in the research data lifecycle including data collection, processing, distribu" +"tion, discovery and archiving.

    \n" +"For assistance with choosing a metadata standa" +"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " msgstr "" msgid "" -"

    Researchers must follow the policies and gu" -"idance of the research ethics board governing their institutions. There may be" -" important differences across institutions. The Public Health Agency of Canada" -" (PHAC) is responsible for setting standards and coordinating REBs across Cana" -"da. They provide 10 best practices for ensuring privacy of human participants:

    -\n" -"
      -\n" -"
    • Determining the research objectives and ju" -"stifying the data needed to fulfill these objectives
    • -\n" -"
    • Limiting the collection of personal data
    • -\n" -"
    • Determining if consent from individuals is" -" required
    • -\n" -"
    • Managing and documenting consent -\n" -"
    • Informing prospective research participant" -"s about the research
    • -\n" -"
    • Recruiting prospective research participan" -"ts
    • -\n" -"
    • Safeguarding personal data
    • -\n" -"
    • Controlling access and disclosure of perso" -"nal data
    • -\n" -"
    • Setting reasonable limits on retention of " -"personal data
    • -\n" -"
    • Ensuring accountability and transparency i" -"n the management of personal data
    • -\n" -"
    -\n" -"


    In the context of neuroimaging resear" -"ch, “the potential identifiability of otherwise anonymous image files is" -" of great concern to those in the field who are anxious to encourage electroni" -"c data sharing” (Kulynych, 2002). Please consult your REB for recommendations on how to pr" -"epare ethics protocols.

    " +"

    Data storage is a critical component of man" +"aging your research data, and secure methods should always be used, especially" +" when managing sensitive data. Storing data on USB sticks, laptops, computers," +" and/or external hard drives without a regular backup procedure in place is no" +"t considered to be best practice due to their being a risk both for data breac" +"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " +"having only one copy, or multiple copies of data stored in the same physical l" +"ocation does little to mitigate risk. 

    \n" +"

    Many universities offer networked file stor" +"age which is automatically backed up. Contact your local (e.g., faculty or org" +"anization) and/or central IT services to find out what secure data storage ser" +"vices and resources they are able to offer to support your research project.

    \n" +"Additionally, you may wish to consider investi" +"gating Compute Canad" +"a’s Rapid Access Service whic" +"h provides Principal Investigators at Canadian post-secondary institutions wit" +"h a modest amount of storage and cloud resources at no cost." msgstr "" msgid "" -"State how you will prepare, store, share, and " -"archive the data in a way that ensures participant information is protected, t" -"hroughout the research lifecycle, from disclosure, harmful use, or inappropria" -"te linkages with other personal data. This may mean avoiding cloud storage ser" -"vices, placing data on computers with no access to the internet, or encrypting" -" data that will be shared during the research project. For more information, s" -"ee the Harvard Catalyst guidance about cloud storage." +"

    It is important to determine at the early s" +"tages of your research project how members of the research team will appropria" +"tely access and work with data. If researchers will be working with data using" +" their local computers (work or personal) then it is important to ensure that " +"data are securely transferred (see previous question on data transferring), co" +"mputers may need to be encrypted, and that all processes meet any requirements" +" imposed by funders, institutions, and research ethics offices.

    \n" +"

    When possible, it can be very advantageous " +"to use a cloud-based environment so that researchers can remotely access and w" +"ork with data, reducing the need for data transferring and associated risks, a" +"s well as unnecessary copies of data existing.

    \n" +"One such cloud environment that is freely avai" +"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " +msgstr "" + +msgid "" +"

    Think about all of the data that will be ge" +"nerated, including their various versions, and estimate how much space (e.g., " +"megabytes, gigabytes, terabytes) will be required to store them. <" +"/p> \n" +"

    The type of data you collect, along with th" +"e length of time that you require active storage, will impact the resources th" +"at you require. Textual and tabular data files are usually very small (a few m" +"egabytes) unless you have a lot of data. Video files are usually very large (h" +"undreds of megabytes up to several gigabytes). If you have a large amount of d" +"ata (gigabytes or terabytes), it will be more challenging to share and transfe" +"r it. You may need to consider networked storage options or more sophisticated" +" backup methods.

    \n" +"You may wish to contact your local IT services" +" to discuss what data storage options are available to you, or consider the us" +"e of Compute Canada&" +"rsquo;s Rapid Access Service. " +" " msgstr "" msgid "" -======= +"

    Proprietary data formats are not optimal fo" +"r long-term preservation of data as they typically require specialized license" +"d software to open them. Such software may have costs associated with its use," +" or may not even be available to others wanting to re-use your data in the fut" +"ure.

    \n" +"

    Non-proprietary file formats, such as comma" +"-separated values (.csv), text (" +".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" +"n mind that preservation-friendly files converted from one format to another m" +"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" +"essed JPG file), so changes to file formats should be documented.

    \n" +"

    Identify the steps required to ensure the d" +"ata you are choosing to preserve is error-free, and converted to recommended f" +"ormats with a minimal risk of data loss following project completion. Some str" +"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" +", changing voices) also remove information of value to other researchers.

    \n" +"

    See this Portage DMP Exemplar in English or French<" +"/span> for more help describing preservati" +"on-readiness.

    " msgstr "" msgid "" "

    A research data repository is a technology-" -"based platform that allows for research data to be:

    -\n" -"
      -\n" +"based platform that allows for research data to be:

      \n" +"
        \n" "
      • Deposited & " -"described
      • -\n" +"described \n" "
      • Stored & arc" -"hived
      • -\n" +"hived \n" "
      • Shared & pub" -"lished
      • -\n" +"lished \n" "
      • Discovered &" -" reused
      • -\n" -"
      -\n" +" reused \n" +"
    \n" "

    There are different types of repositories i" -"ncluding:

    -\n" -"
      -\n" +"ncluding:

      \n" +"
        \n" "
      • Proprietary (pai" -"d for services)
      • -\n" +"d for services) \n" "
      • Open source (fre" -"e to use)
      • -\n" +"e to use) \n" "
      • Discipline speci" -"fic
      • -\n" -"
      -\n" +"fic \n" +"
    \n" "

    A key feature of a trusted research data re" "pository is the assignment of a digital object identifier (DOI) to your data -" " a unique persistent identifier assigned by a registration agency to " "identify digital content and provide a persistent link to its location, enabli" -"ng for long-term discovery.

    -\n" +"ng for long-term discovery.

    \n" "

    Dataverse is one of the most popular resear" "ch data repository platforms in Canada for supporting the deposition of survey" " data and qualitative text files. Key features of Dataverse include the assign" @@ -10137,8 +5684,7 @@ msgid "" "uilt in data citations, file versioning, and the ability to create customized " "terms of use pertaining to your data. Contact your local university Library to" " find out if there is a Dataverse instance available for you to use. -\n" +"> \n" "Re3data.org" " is an online registry of data repo" "sitories, which can be searched according to subject, content type and country" @@ -10154,33 +5700,26 @@ msgid "" "ons relating to confidentiality and/or privacy. If you are planning to share e" "ither/both survey and qualitative interviews data that require de-identificati" "on, explain how any necessary direct and indirect identifiers will be removed." -" 

    -\n" -"

    Examples of file versions are:

    -\n" -"
      -\n" +" 

      \n" +"

      Examples of file versions are:

      \n" +"
        \n" "
      • Raw: Original data that has been collected and not yet processed" " or analysed. For surveys this will be the original survey data, and for quali" "tative interviews this will most often be the original audio data as well as r" -"aw transcriptions which are verbatim copies of the audio files.
      • -\n" +"aw transcriptions which are verbatim copies of the audio files. \n" "
      • Processed: Data that have" " undergone some type of processing, typically for data integrity and quality a" "ssurance purposes. For survey data, this may involve such things as deletion o" "f cases and derivation of variables. For qualitative interview data, this may " "involve such things as formatting, and de-identification and anonymization act" -"ivities.
      • -\n" +"ivities. \n" "
      • Analyzed: Data that are a" "lready processed and have been used for analytic purposes. Both for surveys an" "d qualitative interviews, analyzed data can exist in different forms including" " in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" -"s, graphs, etc.
      • -\n" -"
      -\n" +"s, graphs, etc. \n" +"
    \n" "

    Remember, research involving human particip" "ants typically requires participant consent to allow for the sharing of data. " "Along with your data, you should ideally include samples of the study informat" @@ -10191,49 +5730,35 @@ msgstr "" msgid "" "

    It may be necessary or desirable to restric" "t access to your data for a limited time or to a limited number of people, for" -":

    -\n" -"
      -\n" +":

      \n" +"
        \n" "
      • ethical reasons " -"(privacy and confidentiality) 
      • -\n" +"(privacy and confidentiality)  \n" "
      • economic reasons" -" (patents and commercialization)
      • -\n" +" (patents and commercialization) \n" "
      • intellectual pro" "perty reasons (e.g. ownership of the original dataset on which yours is based)" -" 
      • -\n" +"  \n" "
      • or to comply wit" -"h a journal publishing policy. 
      • -\n" -"
      -\n" +"h a journal publishing policy.  \n" +"
    \n" "

    Strategies to mitigate these issues may inc" -"lude: 

    -\n" -"
      -\n" +"lude: 

      \n" +"
        \n" "
      • anonymising or a" "ggregating data (see additional information at the UK Data Service or the Portage Network)" -"
      • -\n" +" \n" "
      • gaining particip" -"ant consent for data sharing
      • -\n" +"ant consent for data sharing \n" "
      • gaining permissi" -"ons to share adapted or modified data
      • -\n" +"ons to share adapted or modified data \n" "
      • and agreeing to " -"a limited embargo period.
      • -\n" -"
      -\n" +"a limited embargo period. \n" +"
    \n" "

    If applicable, consider creating a Terms of" " Use document to accompany your data.

    " msgstr "" @@ -10245,8 +5770,7 @@ msgid "" "velopment of a license. Once created, it is considered as best practice to inc" "lude a copy of your end-user license with your Data Management Plan. Note that" " only the intellectual property rights holder(s) can issue a license, so it is" -" crucial to clarify who owns those rights. 

    -\n" +" crucial to clarify who owns those rights. 

    \n" "

    There are several types of standard license" "s available to researchers, such as the Creative Commons licenses" @@ -10256,8 +5780,7 @@ msgid "" " easier to use a standard license rather than to devise a custom-made one. Not" "e that even if you choose to make your data part of the public domain, it is p" "referable to make this explicit by using a license such as Creative Commons' C" -"C0. 

    -\n" +"C0. 

    \n" "Read more about data licensing:
    UK Digital Curation Centre

    -\n" +"mbers of the research team for these duties.

    \n" "

    Larger and more complex research projects m" "ay additionally wish to have a research data management committee in place whi" "ch can be responsible for data governance, including the development of polici" @@ -10300,8 +5822,7 @@ msgid "" "stimate should incorporate costs incurred both during the active phases of the" " project as well as those potentially required for support of the data once th" "e project is finished, including preparing the data for deposit and long-term " -"preservation. 

    -\n" +"preservation. 

    \n" "

    Many funding agencies will provide support " "for research data management, so these estimates may be included within your p" "roposed project budget. Items that may be pertinent to mixed methods research " @@ -10323,14 +5844,12 @@ msgid "" "fied data from other sources, and that only de-identified and/or aggregated da" "ta may be reused. In the case of qualitative interviews, this may include only" " the de-identified transcriptions of interviews and/or analytic files containi" -"ng de-identified contextual information.

    -\n" +"ng de-identified contextual information.

    \n" "

    Sensitive data in particular should always " "receive special attention and be clearly identified and documented within your" " DMP as to how they will be managed throughout your project including data col" "lection, transferring, storage, access, and both potential sharing, and reuse<" -"/span>.

    -\n" +"/span>.

    \n" "

    Your data management plan and deposited dat" "a should both include an identifier or link to your approved research ethics a" "pplication form as well as an example of any participant consent forms." @@ -10341,8 +5860,7 @@ msgid "" "

    Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer, research services office, and/or research et" -"hics office. 

    -\n" +"hics office. 

    \n" "

    Include here a description concerning owner" "ship, licensing, and intellectual property rights of the data. Terms of reuse " "must be clearly stated, in line with the relevant legal and ethical requiremen" @@ -10374,8 +5892,7 @@ msgstr "" msgid "" "

    It is important to keep track of different " "copies and versions of files, files held in different formats or locations, an" -"d any information cross-referenced between files. 

    -\n" +"d any information cross-referenced between files. 

    \n" "Logical file structures, informative naming co" "nventions, and clear indications of file versions all contribute to better use" " of your data during and after your research project. These practices will hel" @@ -10392,17 +5909,13 @@ msgstr "" msgid "" "

    Some types of documentation typically provi" -"ded for research data and software include: 

    -\n" -"
      -\n" +"ded for research data and software include: 

      \n" +"
        \n" "
      • README file, codebook, or data dictionary<" -"/span>
      • -\n" +"/span> \n" "
      • Electronic lab notebooks such as Jupyter Notebook<" -"/span>
      • -\n" +"/span> \n" "
      " msgstr "" @@ -10426,8 +5939,7 @@ msgid "" "a formats such as XML, RDF, and JSON, which enables the effective exchange of " "information between users and systems. Existing, accepted community standards " "should be used wherever possible, including when recording intermediate result" -"s. 

      -\n" +"s. 

      \n" "

      Where community standards are absent or ina" "dequate, this should be documented along with any proposed solutions or remedi" "es. You may wish to use this DMP Template to propose alternate strategies that" @@ -10469,44 +5981,30 @@ msgstr "" msgid "" "

      You may wish to provide the following infor" -"mation:

      -\n" -"
        -\n" +"mation:

        \n" +"
          \n" "
        • Startup allocati" -"on limit
        • -\n" +"on limit \n" "
        • System architect" -"ure: System component and configuration
        • -\n" -"
            -\n" +"ure: System component and configuration \n" +"
              \n" "
            • CPU nodes" -"
            • -\n" +" \n" "
            • GPU nodes" -"
            • -\n" +" \n" "
            • Large memory nod" -"es
            • -\n" -"
            -\n" +"es \n" +"
          \n" "
        • Performance: e.g" -"., FLOPs, benchmark
        • -\n" +"., FLOPs, benchmark \n" "
        • Associated syste" -"ms software environment
        • -\n" +"ms software environment \n" "
        • Supported applic" -"ation software 
        • -\n" +"ation software  \n" "
        • Data transfer
        • -\n" +"pan> \n" "
        • Storage <" -"/li> -\n" +"/li> \n" "
        " msgstr "" @@ -10520,32 +6018,24 @@ msgstr "" msgid "" "

        Examples of data analysis frameworks includ" -"e:

        -\n" -"
          -\n" +"e:

          \n" +"
            \n" "
          • Hadoop -\n" +"i> \n" "
          • Spark -\n" +"> \n" "
          " msgstr "" msgid "" "

          Examples of software tools include:<" -"/p> -\n" -"

            -\n" +"/p> \n" +"
              \n" "
            • High-performance" -" compilers, debuggers, analyzers, editors 
            • -\n" +" compilers, debuggers, analyzers, editors  \n" "
            • Locally develope" "d custom libraries and application packages for software development -\n" +"i> \n" "
            " msgstr "" @@ -10559,13 +6049,11 @@ msgid "" "00;\">GitHub Bitbucket, " "GitLab, etc. 

            -\n" +"an>, etc. 

            \n" "

            If your research and/or software are built " "upon others’ software code, it is good practice to acknowledge and cite " "the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

            -\n" +"he software and to give credit to its developers.

            \n" "For more information on proper software docume" "ntation and citation practices, see:

            -\n" +"ed when determining the most appropriate solution. 

            \n" "

            The risk of losing data due to human error," " natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" "ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

            -\n" +"ifferent media; keep one backup copy offsite.

            \n" "Further information on storage and backup prac" "tices is available from the
            University of Sheffield Library" @@ -10604,31 +6090,20 @@ msgid "" msgstr "" msgid "" -"

            Technical detail example:

            -\n" -"
              -\n" -"
            • Quota 
            • -\n" -"
            -\n" -"

            Examples of systems:

            -\n" -"
              -\n" +"

              Technical detail example:

              \n" +"
                \n" +"
              • Quota 
              • \n" +"
              \n" +"

              Examples of systems:

              \n" +"
                \n" "
              • High-performance archival/storage storage&" -"nbsp;
              • -\n" -"
              • Database
              • -\n" -"
              • Web server
              • -\n" -"
              • Data transfer
              • -\n" +"nbsp; \n" +"
              • Database
              • \n" +"
              • Web server
              • \n" +"
              • Data transfer
              • \n" "
              • Cloud platforms, such as Amazon Web Servic" "es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
              • -\n" +" One Drive \n" "
              " msgstr "" @@ -10637,8 +6112,7 @@ msgid "" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Transmitting data between locations or within research teams" " can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution. 

              -\n" +"ata transfer is not a robust or secure solution. 

              \n" "

              Third-party commercial file sharing service" "s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" "t necessarily permanent or secure, and the servers are often located outside C" @@ -10652,8 +6126,7 @@ msgid "" "chase, data curation, and providing long-term access to the data. For ARC proj" "ects, charges for computing time, also called Service Units (SU), and the cost" " of specialized or proprietary software should also be taken into consideratio" -"n. 

              -\n" +"n. 

              \n" "Some funding agencies state explicitly that th" "ey will provide support to meet the cost of preparing data for deposit in a re" "pository. These costs could include: technical aspects of data management, tra" @@ -10689,41 +6162,28 @@ msgstr "" msgid "" "

              A computationally reproducible research pac" -"kage will include:

              -\n" -"
                -\n" +"kage will include:

                \n" +"
                  \n" "
                • Primary data (and documentation) collected" -" and used in analysis
                • -\n" +" and used in analysis \n" "
                • Secondary data (and documentation) collect" -"ed and used in analysis
                • -\n" +"ed and used in analysis \n" "
                • Primary data output result(s) (and documen" -"tation) produced by analysis
                • -\n" +"tation) produced by analysis \n" "
                • Secondary data output result(s) (and docum" -"entation) produced by analysis
                • -\n" +"entation) produced by analysis \n" "
                • Software program(s) (and documentation) fo" -"r computing published results
                • -\n" +"r computing published results \n" "
                • Dependencies for software program(s) for r" -"eplicating published results
                • -\n" +"eplicating published results \n" "
                • Research Software documentation and implem" -"entation details
                • -\n" +"entation details \n" "
                • Computational research workflow and proven" -"ance information
                • -\n" -"
                • Published article(s) 
                • -\n" -"
                -\n" +"ance information \n" +"
              • Published article(s) 
              • \n" +"
              \n" "

              All information above should be accessible " -"to both designated users and reusers. 

              -\n" +"to both designated users and reusers. 

              \n" "

              (Re)using code/software requires knowledge " "of two main aspects at minimum: environment and expected input/output. With su" "fficient information provided, computational results can be reproduced. Someti" @@ -10752,8 +6212,7 @@ msgid "" "personally identified data from other sources. Read more about data security: " "UK Data Service.

              -\n" +"400;\">.

              \n" "You may need to anonymize or de-identify your data before you can share it. Read more about these process" @@ -10802,8 +6261,7 @@ msgid "" "ont-weight: 400;\">Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

              -\n" +"/span>.

              \n" "

              Please be aware that software is typically " "protected by copyright that is often held by the institution rather than the d" "eveloper. Ensure you understand what rights you have to share your software be" @@ -10816,8 +6274,7 @@ msgid "" "of derivatives, be sure to check, read, understand and follow any legal licens" "ing agreements. The actions you can take, including whether you can publish or" " redistribute derivative research products, may depend on terms of the origina" -"l license.

              -\n" +"l license.

              \n" "

              If your research data and/or software are b" "uilt upon others’ data and software publications, it is good practice to" " acknowledge and cite the corresponding data and software you use in the same " @@ -10830,8 +6287,7 @@ msgid "" "-weight: 400;\">, and Out of Cite, Out of M" "ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

              -\n" +" Data.

              \n" "

              Compliance with privacy legislation and law" "s that may restrict the sharing of some data should be discussed with your ins" "titution's privacy officer or data librarian, if possible. Research Ethics Boa" @@ -10850,14 +6306,12 @@ msgid "" "ont-weight: 400;\">guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

              -\n" +"dations

              \n" "

              Some repositories also create links from da" "tasets to their associated papers, increasing the visibility of the publicatio" "ns. If possible, cross-reference or link out to all publications, code and dat" "a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

              -\n" +") to your dataset to ensure stable access to the dataset.

              \n" "Other sharing possibilities include: data regi" "stries, indexes, word-of-mouth, and publications. For more information, see

              -\n" +"w.

              \n" "Wherever possible, share your data in preserva" "tion-friendly file formats. Some data formats are optimal for the long-term pr" "eservation of data. For example, non-proprietary file formats, such as text ('" @@ -10899,8 +6352,7 @@ msgid "" "ing value), will influence the choice of data repository or archive. A helpful" " analogy is to think of creating a 'living will' for the data, that is, a plan" " describing how future researchers will have continued access to the data.&nbs" -"p;

              -\n" +"p;

              \n" "It is important to verify whether or not the d" "ata repository you have selected will support the terms of use or licenses you" " wish to apply to your data and code. Consult the repository’s own terms" @@ -10936,8 +6388,7 @@ msgid "" "n style=\"font-weight: 400;\">. If you would like to archive your code and recei" "ve a DOI,
              " "GitHub is integrated with Zenodo as a repository option. 

              -\n" +"an style=\"font-weight: 400;\"> as a repository option. 

              \n" "

              At a minimum, if using third-party software" " (proprietary or otherwise), researchers should share and make available the s" "ource code (e.g., analysis scripts) used for analysis (even if they do not hav" @@ -10975,8 +6426,7 @@ msgid "" "earch data: methodologies, definitions of variables or analysis categories, sp" "ecific classification systems, assumptions, code tree, analyses performed, ter" "minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

              -\n" +"asks performed, etc. 

              \n" "

              To ensure a verifiable historical interpret" "ation and the lowest possible bias in the possible reuse of the data, try to i" "dentify elements of implicit knowledge or that involve direct communication wi" @@ -11004,21 +6454,18 @@ msgid "" "ttps://www.ed.ac.uk/information-services/research-support/research-data-servic" "e/after/data-repository/trustworthy-digital-repository\">The University of Edin" "burgh and OpenAIRE.

              -\n" +"y\">OpenAIRE.

              \n" "

              To increase the visibility of research data" ", opt for disciplinary repositories: search by discipline in re3data.org.

              -\n" +">.

              \n" "

              For solutions governed by Canadian legislat" "ion, it is possible to browse by country of origin in re3data.org. In addition" ", Canada’s digital research infrastructure offers the Federated Research" " Data Repository (FRDR). Finally," " it is quite possible that your institution has its own research data reposito" -"ry.

              -\n" +"ry.

              \n" "

              To make sure the selected repository meets " "the requirements of your DMP, feel free to seek advice from a UK Data Service Costing T" -"ool.

              -\n" +"ool.

              \n" "

              Include this cost estimate in the Responsibilities and Resources section.

              -\n" +"pan style=\"font-weight: 400;\"> section.

              \n" "

              If necessary, contact a resource person If applicable, retrieve written consent from an institution's ethics approv" "al process. If the research involves human participants, verify that the conte" "nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

              -\n" +"ned by the participants.

              \n" "

              Describes anticipated data sharing issues w" "ithin the team, their causes, and possible measures to mitigate them. <" "span style=\"font-weight: 400;\">Read more about data security at UBC Library, UK Data Service, or Réseau P" -"ortage.

              -\n" +"ortage.

              \n" "

              Also make sure that metadata does not discl" -"ose sensitive data.

              -\n" +"ose sensitive data.

              \n" "

              Explain how access requests to research dat" "a containing sensitive data will be managed. What are the access conditions? W" "ho will monitor these requests? What explanations should be provided to applic" @@ -11087,8 +6529,7 @@ msgid "" "and external copyright holders (include libraries, archives and museums). Veri" "fy that the licenses to use the research materials identified in the Shari" "ng and Reuse section are consistent with the description in this section." -"

              -\n" +"

              \n" "

              If commercial activities are involved in yo" "ur research project, there are legal aspects to consider regarding the protect" "ion of private information. Compliance with Research Data Jour" "nal for the Humanities and Social Sciences (lien en anglais).

              -\n" +"an>

              \n" "

              Consulter au besoin une personne ressource" @@ -11144,8 +6584,7 @@ msgstr "" msgid "" "

              If the DMP is at the funding application st" "age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

              -\n" +"ssible research data management in the funding application.

              \n" "

              Activities that should be documented: draft" "ing and updating the DMP; drafting document management procedures (naming rule" "s, backup copies, etc.); monitoring document management procedure implementati" @@ -11211,13 +6650,11 @@ msgid "" "\"https://vraweb.org/resources/cataloging-cultural-objects/\">Cataloging Cultura" "l Objects). However, their use may result in a loss of information on prov" "enance or contextualization, so ensure that this documentation is present else" -"where.

              -\n" +"where.

              \n" "

              Resource for exploring and identifying meta" "data schemas that may be helpful: RDA Metadata Directory.

              -\n" +"a>.

              \n" "

              Resources for exploring controlled vocabula" "ries: CIDOC/ICOM Conceptual Reference Mode" "l, Linked Open Vocabulari" @@ -11238,12 +6675,10 @@ msgid "" "/ukdataservice.ac.uk/media/622368/costingtool.pdf\">UK Data Service Costing Tool (" "liens en anglais).

              -\n" +"tyle=\"font-weight: 400;\">).

              \n" "

              Intégrer cette estimation de co&ucir" "c;t dans la section Responsabilit&e" -"acute;s et ressources.

              -" +"acute;s et ressources.

              " "\n" "

              Consulter au besoin une If applicable, retrieve written consent fro" "m an institution's ethics approval process. If the research involves human par" "ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

              -\n" +"istent with the consent form signed by the participants.

              \n" "

              Describes anticipated data sharing issues w" "ithin the team, their causes, and possible measures to mitigate them. Read mor" "e about data security atUBC Library, UK Data Service, or the Portage Network.

              -\n" +";\">.

              \n" "

              Also make sure that metadata does not discl" -"ose sensitive data.

              -\n" +"ose sensitive data.

              \n" "

              Explain how access requests to research dat" "a containing sensitive data will be managed. What are the access conditions? W" "ho will monitor these requests? What explanations should be provided to applic" @@ -11293,8 +6725,7 @@ msgid "" "ies, archives and museums). Verify that the licenses to use the research mater" "ials identified in the Sharing and " "Reuse section are consistent with " -"the description in this section.

              -\n" +"the description in this section.

              \n" "

              If commercial activities are involved in yo" "ur research project, there are legal aspects to consider regarding the protect" "ion of private information. Compliance with offers an easy-to-use tool for assessing compliance with these principles" ". The Digita" "l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

              -\n" +" and physical).

              \n" "

              To make the material retrievable by other tools and to cite it in scholarly" " publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

              -\n" +"ial Sciences.

              \n" "

              If necessary, contact a resource person

              -\n" +"llectual Property Rights, among others.

              \n" "Reused from: Digital Curation Centre. (2013). " "Checklist for a Data Management PlanCompliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

              -\n" +"Boards are central to the research process. 

              \n" "

              Include here a description concerning owner" "ship, licensing, and intellectual property rights of the data. Terms of reuse " "must be clearly stated, in line with the relevant legal and ethical requiremen" @@ -11494,8 +6921,7 @@ msgid "" "shersci/en_CA/documents/brochures-and-catalogs/catalogs/ccme-protocols-manual-" "water-quality-sampling.pdf\">CCME’s Proto" "cols for Water Quality Sampling in Canada, whenever possible. 

              -\n" +"400;\">, whenever possible. 

              \n" "

              If you will set up monitoring station(s) to" " continuously collect or sample water quality data, please review resources su" "ch as the Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

              -\n" -"
                -\n" +"sk with its collection. Examples of sensitive data include:

                \n" +"
                  \n" "
                • Data governed by" -" third party agreements, contracts or legislation.
                • -\n" +" third party agreements, contracts or legislation. \n" "
                • Personal informa" -"tion, health related data, biological samples, etc.
                • -\n" +"tion, health related data, biological samples, etc. \n" "
                • Indigenous knowl" "edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
                • -\n" +"nd ice. \n" "
                • Data collected w" -"ith an industry partner.
                • -\n" +"ith an industry partner. \n" "
                • Location informa" -"tion of species at risk. 
                • -\n" +"tion of species at risk.  \n" "
                • Data collected o" "n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
                • -" +"ld impact property values or stigmatize residents or land owners. " "\n" -"
                -\n" +"
              \n" "Additional sensitivity assessment can be made " "using data classification matrices such as the
              -\n" +"p> \n" "

              Decisions should align with Research Ethics" " Board requirements. If you are collecting water quality data from Indigenous " "communities, please also review resources such as the Tri-Council Policy State" @@ -11577,8 +6993,7 @@ msgid "" "tps://www.nri.nu.ca/sites/default/files/public/files/06-068%20ITK%20NRR%20book" "let.pdf\">Negotiating Research Relationships wi" "th Inuit Communities as appropriate" -". 

              -\n" +". 

              \n" "Restrictions can be imposed by limiting physic" "al access to storage devices, placing data on computers with no access to the " "Internet, through password protection, and by encrypting files. Sensitive data" @@ -11593,8 +7008,7 @@ msgid "" "data with acknowledged long-term value should be made available, and for how l" "ong it should be archived. If you must restrict some data from sharing, consid" "er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

              -\n" +"etadata catalogue.

              \n" "

              Obtaining the appropriate consent from rese" "arch participants is an important step in assuring Research Ethics Boards that" " the data may be shared with researchers outside your project. The consent sta" @@ -11611,16 +7025,14 @@ msgid "" "

              Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

              -\n" +"Boards are also central to the research process.

              \n" "

              Describe ownership, licensing, and any inte" "llectual property rights associated with the data. Check your institution's po" "licies for additional guidance in these areas. The University of Waterloo has " "a good example of an institutional policy on Intellectual Property Rights" -".

              -\n" +".

              \n" "

              Terms of reuse must be clearly stated, in l" "ine with the relevant legal and ethical requirements where applicable (e.g., s" "ubject consent, permissions, restrictions, etc.).

              " @@ -11649,44 +7061,33 @@ msgid "" msgstr "" msgid "" -"

              File names should:

              -\n" -"
                -\n" +"

                File names should:

                \n" +"
                  \n" "
                • Clearly identify the name of the project (" "Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" -"nd type of data in the file;
                • -\n" +"nd type of data in the file; \n" "
                • Avoid use of special characters, such as  $ % ^ & # | :, to preve" "nt errors and use an underscore ( _)  or dash (-) rather than spaces; -\n" +"> \n" "
                • Be as concise as possible. Some instrument" "s may limit you to specific characters. Check with your labs for any naming St" -"andard Operating Procedures (SOPs) or requirements. 
                • -\n" -"
                -\n" -"

                Data Structure:

                -\n" -"
                  -\n" +"andard Operating Procedures (SOPs) or requirements.  \n" +"
                \n" +"

                Data Structure:

                \n" +"
                  \n" "
                • It is important to keep track of different" " copies or versions of files, files held in different formats or locations, an" "d information cross-referenced between files. This process is called 'version " "control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" -". v1.1.0);
                • -\n" +". v1.1.0); \n" "
                • Logical file structures, informative naming conventions and clear indicati" "ons of file versions all contribute to better use of your data during and afte" "r your research project.  These practices will help ensure that you and y" "our research team are using the appropriate version of your data and minimize " "confusion regarding copies on different computers and/or on different media.&n" -"bsp;
                • -\n" -"
                -\n" +"bsp; \n" +"
              \n" "

              Read more about file naming and version control: UBC Library or Water Quality metadata standards:

              -\n" -"
                -\n" +"

                Water Quality metadata standards:

                \n" +"
                  \n" "
                • DS-WQX: A schema designed for data entered into the DataStream reposi" -"tory based off of the US EPA’s WQX standard.
                • -\n" +"tory based off of the US EPA’s WQX standard. \n" "
                • WQX: Data model designed by the US EPA and USGS for" -" upload to their water quality exchange portal.
                • -\n" -"
                -\n" -"

                Ecological metadata standards:

                -\n" -"
                  -\n" +" upload to their water quality exchange portal. \n" +"
                \n" +"

                Ecological metadata standards:

                \n" +" -\n" -"

                Geographic metadata standards:

                -\n" -"
                  -\n" +"able XML markup syntax for documenting research data. \n" +"
                \n" +"

                Geographic metadata standards:

                \n" +"
                  \n" "
                • ISO 1911" "5: International Standards Organisa" "tion’s schema for describing geographic information and services." -"
                • -\n" -"
                -\n" +" \n" +"
              \n" "

              Read more about metadata standards: " "UK Digital Curation Centre's Disciplinary Metadata
              Some tips for ensuring good met" -"adata collection are:
              -\n" -"

                -\n" +"adata collection are:
                \n" +"
                  \n" "
                • Provide support documentation and routine metadata training to data collec" -"tors.
                • -\n" +"tors. \n" "
                • Provide data collectors with thorough data" " collection tools (e.g., field or lab sheets) so they are able to capture the " -"necessary information.
                • -\n" +"necessary information. \n" "
                • Samples or notes recorded in a field or la" "b book should be scanned or photographed daily to prevent lost data. -\n" +"i> \n" "
                " msgstr "" @@ -11931,30 +7314,23 @@ msgstr "" msgid "" "Describe the roles and responsibilities of all" " parties with respect to the management of the data. Consider the following:
                -\n" -"
                  -\n" +"span>
                  \n" +"
                    \n" "
                  • If there are multiple investigators involv" "ed, what are the data management responsibilities of each investigator? <" -"/span>
                  • -\n" +"/span> \n" "
                  • If data will be collected by students, cla" "rify the student role versus the principal investigator role, and identify who" -" will hold theIntellectual Property rights.  
                  • -\n" +" will hold theIntellectual Property rights.   \n" "
                  • Will training be required to perform the d" "ata collection or data management tasks? If so, how will this training be admi" -"nistered and recorded? 
                  • -\n" +"nistered and recorded?  \n" "
                  • Who will be the primary person responsible" " for ensuring compliance with the Data Management Plan during all stages of th" -"e data lifecycle?
                  • -\n" +"e data lifecycle? \n" "
                  • Include the time frame associated with the" "se staff responsibilities and any training needed to prepare staff for these d" -"uties.
                  • -\n" +"uties. \n" "
                  " msgstr "" @@ -11992,25 +7368,19 @@ msgstr "" msgid "" "

                  In these instances, it is critical to asses" "s whether data can or should be shared. It is necessary to comply with:" -"

                  -\n" -"
                    -\n" +"

                    \n" +"
                      \n" "
                    • Data treatment p" "rotocols established by the Research Ethics Board (REB) process, including dat" "a collection consent, privacy considerations, and potential expectations of da" -"ta destruction;
                    • -\n" +"ta destruction; \n" "
                    • Data-sharing agr" "eements or contracts.  Data that you source or derive from a third party " "may only be shared in accordance with the original data sharing agreements or " -"licenses;
                    • -\n" +"licenses; \n" "
                    • Any relevant leg" -"islation.
                    • -\n" -"
                    -\n" +"islation. \n" +"
                  \n" "

                  Note:  If raw " "or identifiable data cannot be shared, is it possible to share aggregated data" ", or to de-identify your data, or coarsen location information for sharing? If" @@ -12023,32 +7393,26 @@ msgid "" "

                  Think about what data needs to be shared to" " meet institutional or funding requirements, and what data may be restricted b" "ecause of confidentiality, privacy, or intellectual property considerations.

                  -\n" -"
                    -\n" +"span>

                    \n" +"
                      \n" "
                    • Raw data are unprocessed data directly obtained from sampling, field instrume" "nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" "p; Sharing raw data is valuable because it enables researchers to evaluate new" " processing techniques and analyse disparate datasets in the same way. 
                    • -\n" +"span> \n" "
                    • Processed data results from some manipulation of the raw data in order to eli" "minate errors or outliers, to prepare the data for analysis or preservation, t" "o derive new variables, or to de-identify the sampling locations. Processing s" -"teps need to be well described.
                    • -\n" +"teps need to be well described. \n" "
                    • Analyzed data are the results of qualitative, statistical, or mathematical an" "alysis of the processed data. They may  be presented as graphs, charts or" -" statistical tables.
                    • -\n" +" statistical tables. \n" "
                    • Final data are processed " "data that have undergone a review process to ensure data quality and, if neede" -"d, have been converted into a preservation-friendly format.
                    • -\n" +"d, have been converted into a preservation-friendly format. \n" "
                    " msgstr "" @@ -12057,58 +7421,43 @@ msgid "" "ies help maintain scientific data over time and support data discovery, reuse," " citation, and quality. Researchers are encouraged to deposit data in leading " "“domain-specific” repositories, especially those that are FAIR-ali" -"gned, whenever possible.
                    -\n" +"gned, whenever possible.
                    \n" "

                    Domain-specific repositories for water quality data include:

                    -\n" -"
                      -\n" +"g>

                      \n" +"
                        \n" "
                      • DataStream: A f" "ree, open-access platform for storing, visualizing, and sharing water quality " -"data in Canada.
                      • -\n" +"data in Canada. \n" "
                      • Canadian Aquatic Biomonitoring Network (CABIN)" ": A national biomonitoring program developed b" "y Environment and Climate Change Canada that provides a standardized sampling " "protocol and a recommended assessment approach for assessing aquatic ecosystem" -" condition.
                      • -\n" -"
                      -\n" -"

                      General Repositories:

                      -\n" -"
                        -\n" +" condition. \n" +"
                      \n" +"

                      General Repositories:

                      \n" +"
                        \n" "
                      • Federated Research Data Repository: A scalable federated platform for digital research d" -"ata management (RDM) and discovery.
                      • -\n" +"ata management (RDM) and discovery. \n" "
                      • Institution-spec" "ific Dataverse: Please contact your institution’s library to see if this" -" is a possibility.
                      • -\n" -"
                      -\n" -"

                      Other resources:

                      -\n" -"
                        -\n" +" is a possibility. \n" +"
                      \n" +"

                      Other resources:

                      \n" +"
                        \n" "
                      • The Rep" "ository Finder Tool developed by Da" "taCite. This tool queries the re3data registry of research data repositories.
                      • -\n" +" 400;\"> of research data repositories. \n" "
                      • Coalition for Publishing Data in the Earth and S" "pace Sciences: Enabling FAIR Data – FAQs.
                      • -\n" +"ling-fair-data-faqs/\">Enabling FAIR Data – FAQs. \n" "
                      " msgstr "" @@ -12169,8 +7518,7 @@ msgid "" "utes of Health’s Key Element" "s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                      -\n" +"pan>.

                      \n" "Contact librarians at your institution for ass" "istance in making your dataset visible and easily accessible, or reach out to " "the Portage DMP Coordinator at Word, RTF, PDF, etc.: proj" "ect documents, notes, drafts, review protocol, line-by-line search strategies," -" PRISMA or other reporting checklists; included studies

                      -\n" +" PRISMA or other reporting checklists; included studies

                      \n" "

                      RIS, BibTex, XML, txt: fil" -"es exported from literature databases or tools like Covidence

                      -\n" +"es exported from literature databases or tools like Covidence

                      \n" "

                      Excel (xlsx, csv): search " "tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" -"traction worksheets; meta-analysis data

                      -\n" +"traction worksheets; meta-analysis data

                      \n" "

                      NVivo: qualitative synthes" -"is data

                      -\n" +"is data

                      \n" "

                      TIF, PNG, etc.: images and" -" figures

                      -\n" +" figures

                      \n" "

                      For more in-depth guidance, see “Data" " Collection” in the University of Calgary Library Guide" @@ -12225,8 +7568,7 @@ msgid "" "

                      If you plan to use systematic review softwa" "re or reference management software for screening and data management, indicat" "e which program you will use, and what format files will be saved/exported in." -"

                      -\n" +"

                      \n" "

                      Keep in mind that proprietary file formats " "will require team members and potential future users of the data to have the r" "elevant software to open or edit the data. While you may prefer to work with d" @@ -12242,18 +7584,14 @@ msgstr "" msgid "" "

                      Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" -"le

                      -\n" +"le

                      \n" "

                      Example: Sutton_2019_MeetingTheReview

                      -\n" +">

                      \n" "

                      Suggested format - screening file for reviewers:<" "span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials -\n" +"p> \n" "

                      Example: PetTherapy_ScreeningSet1_ZP" -"

                      -\n" +"

                      \n" "For more examples, see “Data Collection&" "rdquo; in the
                      <" "span style=\"font-weight: 400;\">University of Calgary Library Guide<" @@ -12267,15 +7605,13 @@ msgid "" "ive naming conventions, and clear indications of file versions, all help ensur" "e that you and your research team are using the appropriate version of your da" "ta, and will minimize confusion regarding copies on different computers and/or" -" on different media.

                      -\n" +" on different media.

                      \n" "

                      Read more about file naming and version con" "trol: UBC Library or UK Data Archive" -".

                      -\n" +".

                      \n" "Consider a naming convention that includes: th" "e project name and date using the ISO standard for d" @@ -12302,14 +7638,12 @@ msgstr "" msgid "" "

                      Where will the process and procedures for e" "ach stage of your review be kept and shared? Will the team have a shared works" -"pace? 

                      -\n" +"pace? 

                      \n" "

                      Who will be responsible for documenting eac" "h stage of the review? Team members responsible for each stage of the review s" "hould add the documentation at the conclusion of their work on a particular st" "age, or as needed. Refer back to the data collection guidance for examples of " -"the types of documentation that need to be created.

                      -\n" +"the types of documentation that need to be created.

                      \n" "

                      Often, resources you've already created can" " contribute to this (e.g. your protocol). Consult regularly with members of th" "e research team to capture potential changes in data collection/processing tha" @@ -12330,8 +7664,7 @@ msgid "" "

                      Storage-space estimates should take into ac" "count requirements for file versioning, backups, and growth over time. A long-" "term storage plan is necessary if you intend to retain your data after the res" -"earch project or update your review at a later date.

                      -\n" +"earch project or update your review at a later date.

                      \n" "

                      A systematic review project will not typica" "lly require more than a few GB of storage space; these needs can be met by mos" "t common storage solutions, including shared servers.

                      " @@ -12345,13 +7678,11 @@ msgid "" " Google Drive may be acceptable. Consider who should have control over the sha" "red account. Software to facilitate the systematic review process or for citat" "ion management such as Covidence or Endnote may be used for active data storag" -"e of records and PDFs.

                      -\n" +"e of records and PDFs.

                      \n" "

                      The risk of losing data due to human error," " natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" "ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                      -\n" +"ifferent media; keep one backup copy offsite.

                      \n" "Further information on storage and backup prac" "tices is available from the
                      University of Sheffield Library" @@ -12368,8 +7699,7 @@ msgid "" "e acceptable, as long as it is only shared among team members. Consider who wi" "ll retain access to the shared storage space and for how long. Consider who sh" "ould be the owner of the account. If necessary, have a process for transferrin" -"g ownership of files in the event of personnel changes.

                      -\n" +"g ownership of files in the event of personnel changes.

                      \n" "

                      An ideal solution is one that facilitates c" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Relying on email for data transfer is not a robust or secure" @@ -12382,8 +7712,7 @@ msgid "" "by external policies (e.g. funding agencies, journal publishers), or by an und" "erstanding of the enduring value of a given set of data. Consider what you wan" "t to share long-term vs. what you need to keep long-term; these might be two s" -"eparately stored data sets. 

                      -\n" +"eparately stored data sets. 

                      \n" "

                      Long-term preservation is an important aspe" "ct to consider for systematic reviews as they may be rejected and need to be r" "eworked/resubmitted, or the authors may wish to publish an updated review in a" @@ -12391,8 +7720,7 @@ msgid "" "erest in the concept of a ‘living systematic review’). 

                      -\n" +"ght: 400;\">’). 

                      \n" "For more detailed guidance, and some suggested" " repositories, see “Long-Term Preservation” on the UK Data Service<" "span style=\"font-weight: 400;\"> provides a useful table of file formats for va" -"rious types of data. 

                      -\n" +"rious types of data. 

                      \n" "

                      Keep in mind that converting files from pro" "prietary to non-proprietary formats may lose information or affect functionali" "ty. If this is a concern, you can archive both a proprietary and non-proprieta" @@ -12418,25 +7745,18 @@ msgstr "" msgid "" "

                      Examples of what should be shared: 

                      -\n" -"
                        -\n" +"pan>

                        \n" +"
                          \n" "
                        • protocols <" -"/span>
                        • -\n" +"/span> \n" "
                        • complete search " -"strategies for all databases 
                        • -\n" +"strategies for all databases  \n" "
                        • data extraction " -"forms 
                        • -\n" +"forms  \n" "
                        • statistical code" " and data files (e.g. CSV or Excel files) that are exported into a statistical" -" program to recreate relevant meta-analyses
                        • -\n" -"
                        -\n" +" program to recreate relevant meta-analyses \n" +"
                      \n" "For more examples, consult “Sharing and " "Reuse” on the University of Calgary Library Guide" @@ -12445,17 +7765,14 @@ msgstr "" msgid "" "

                      Raw data are directly obta" -"ined from the instrument, simulation or survey. 

                      -\n" +"ined from the instrument, simulation or survey. 

                      \n" "

                      Processed data result from" " some manipulation of the raw data in order to eliminate errors or outliers, t" -"o prepare the data for analysis, to derive new variables. 

                      -\n" +"o prepare the data for analysis, to derive new variables. 

                      \n" "

                      Analyzed data are the resu" "lts of qualitative, statistical, or mathematical analysis of the processed dat" "a. They can be presented as graphs, charts or statistical tables. " -"

                      -\n" +"

                      \n" "Final data are processed data" " that have, if needed, been converted into a preservation-friendly format. " @@ -12482,8 +7799,7 @@ msgid "" "rnals you plan to submit to - do they require data associated with your manusc" "ript to be made public? Note that only the intellectual property rights holder" "(s) can issue a license, so it is crucial to clarify who owns those rights.

                      -\n" +"pan>

                      \n" "

                      Consider whether attribution is important t" "o you; if so, select a license whose terms require that data used by others be" " properly attributed to the original authors. Include a copy of your end-user " @@ -12522,8 +7838,7 @@ msgid "" "ta in the event that one or more people responsible for the data leaves. Descr" "ibe the process to be followed in the event that the Principal Investigator le" "aves the project. In some instances, a co-investigator or the department or di" -"vision overseeing this research will assume responsibility.

                      -\n" +"vision overseeing this research will assume responsibility.

                      \n" "If data is deposited into a shared space as ea" "ch stage of the review is completed, there is greater likelihood that the team" " has all of the data necessary to successfully handle personnel changes. Be aware that PDF articles and even databas" "e records used in your review may be subject to copyright. You can store them " "in your group project space, but they should not be shared as part of your ope" -"n dataset.

                      -\n" +"n dataset.

                      \n" "

                      If you are reusing others’ published " "datasets as part of your meta-analysis, ensure that you are complying with any" " applicable licences on the original dataset, and properly cite that dataset.<" @@ -12583,8 +7897,7 @@ msgstr "" msgid "" "

                      Describe the type(s) of data that will be c" "ollected, such as: text, numeric (ASCII, binary), images, and animations. " -";

                      -\n" +";

                      \n" "List the file formats you expect to use. Keep " "in mind that some file formats are optimal for the long-term preservation of d" "ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" @@ -12612,8 +7925,7 @@ msgid "" " the data have a DOI or unique accession number, include that information and " "the name of the repository or database that holds the data. This will allow yo" "u to easily navigate back to the data, and properly cite and acknowledge the d" -"ata creators in any publication or research output.  

                      -\n" +"ata creators in any publication or research output.  

                      \n" "

                      For data that are not publicly available, y" "ou may have entered into a data-sharing arrangement with the data owner, which" " should be noted here.  A data-sharing arrangement describes what data ar" @@ -12627,8 +7939,7 @@ msgid "" "ndary data source may be structures or parameters obtained from P" "rotein Data Bank (PDB). 

                      -\n" +">

                      \n" "

                      Examples of computational data and data sou" "rces may include: log files, parameters, structures, or trajectory files from " "previous modeling/simulations or tests.

                      " @@ -12640,8 +7951,7 @@ msgid "" "empirical data. For commercial instruments or devices, indicate the brand, typ" "e, and other necessary characteristics for identification. For a home-built ex" "perimental setup, list the components, and describe the functional connectivit" -"y. Use diagrams when essential for clarity. 

                      -\n" +"y. Use diagrams when essential for clarity. 

                      \n" "

                      Indicate the program and software package w" "ith the version you will use to prepare a structure or a parameter file for mo" "deling or simulation. If web-based services such as CHARMM-GUI, etc. will be used to prepare or generate data, provide" " details such as the name of the service, URL, version (if applicable), and de" -"scription of how you plan to use it. 

                      -\n" +"scription of how you plan to use it. 

                      \n" "If you plan to use your own software or code, " "specify where and how it can be obtained to independently verify computational" " outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" @@ -12680,8 +7989,7 @@ msgstr "" msgid "" "

                      Some examples of data procedures include: d" "ata normalization, data fitting, data convolution, or Fourier transformation.&" -"nbsp;

                      -\n" +"nbsp;

                      \n" "

                      Examples of documentation may include: synt" "ax, code, algorithm(s), parameters, device log files, or manuals. 

                      " @@ -12704,8 +8012,7 @@ msgid "" "/04/QuickGuide_UBC_readme_v1.0_20200427.pdf\">U" "BC) and Cornell" -" University. 

                      -\n" +" University. 

                      \n" "

                      Consider also saving detailed information d" "uring the course of the project in a log file. A log file will help to manage " "and resolve issues that arise during a project and prioritize the response to " @@ -12722,8 +8029,7 @@ msgid "" "s, etc.).  It is useful to consult regularly with members of the research" " team to capture potential changes in data collection/processing that need to " "be reflected in the documentation. Individual roles and workflows should inclu" -"de gathering data documentation as a key element.

                      -\n" +"de gathering data documentation as a key element.

                      \n" "Describe how data will be shared and accessed " "by the members of the research group during the project. Provide details of th" "e data management service or tool (name, URL) that will be utilized to share d" @@ -12758,23 +8064,17 @@ msgid "" "c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" " or laptop hard drives), or networked (e.g. networked drives or cloud-based se" "rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                      -\n" +"ed when determining the most appropriate solution. 

                      \n" "The risk of losing data due to human error, na" "tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" -"ckup rule: -\n" -"
                        -\n" +"ckup rule: \n" +"
                          \n" "
                        • Have at least three copies of your data.
                        • -\n" +"r /> \n" "
                        • Store the copies on two different media.
                        • -\n" -"
                        • Keep one backup copy offsite.
                        • -" +"span> \n" +"
                        • Keep one backup copy offsite.
                        • " "\n" "
                        " msgstr "" @@ -12783,27 +8083,21 @@ msgid "" "

                        Consider which data need to be shared to me" "et institutional, funding, or industry requirements. Consider which data will " "need to be restricted because of data-sharing arrangements with third parties," -" or other intellectual property considerations. 

                        -\n" +" or other intellectual property considerations. 

                        \n" "

                        In this context, data might include researc" "h and computational findings, software, code, algorithms, or any other outputs" " (research or computational) that may be generated during the project. Researc" -"h outputs might be in the form of:

                        -\n" -"
                          -\n" +"h outputs might be in the form of:

                          \n" +"
                            \n" "
                          • raw data are the data dir" -"ectly obtained from the simulation or modeling;
                          • -\n" +"ectly obtained from the simulation or modeling; \n" "
                          • processed data result fro" "m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, or to derive new variables; or
                          • -" +"to prepare the data for analysis, or to derive new variables; or " "\n" "
                          • analyzed data are the res" "ults of quantitative, statistical, or mathematical analysis of the processed d" -"ata.
                          • -\n" +"ata. \n" "
                          " msgstr "" @@ -12812,8 +8106,7 @@ msgid "" "a repositories, indexes, word-of-mouth, and publications. If possible, choose " "to archive your data in a repository that will assign a persistent identifier " "(such as a DOI) to your dataset. This will ensure stable access to the dataset" -" and make it retrievable by various discovery tools. 

                          -\n" +" and make it retrievable by various discovery tools. 

                          \n" "One of the best ways to refer other researcher" "s to your deposited datasets is to cite them the same way you cite other types" " of publications (articles, books, proceedings). The Digital Curation Centre p" @@ -12826,15 +8119,12 @@ msgstr "" msgid "" "

                          Some strategies for sharing include:
                          <" -"/span>

                          -\n" -"
                            -\n" +"/span>

                            \n" +"
                              \n" "
                            1. Research collaboration platforms such as <" "a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" -"sh computational code and data;
                            2. -\n" +"sh computational code and data; \n" "
                            3. GitHub, " "GitLab or Bitbucket will be utiliz" -"ed to allow for version control;
                            4. -\n" +"ed to allow for version control; \n" "
                            5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" "tudy, share, and modify the code or software. For further information about li" "censes see, for example, the Open So" -"urce Initiative;
                            6. -\n" +"urce Initiative; \n" "
                            7. The code or software will be archived in a" " repository, and a DOI will be assigned to track use through citations. Provid" -"e the name of the repository;
                            8. -\n" +"e the name of the repository; \n" "
                            9. A software patent will be submitted.
                            10. -\n" +"n> \n" "
                            " msgstr "" @@ -12865,8 +8151,7 @@ msgid "" "

                            In cases where only selected data will be r" "etained, indicate the reason(s) for this decision. These might include legal, " "physical preservation issues or other requirements to keep or destroy data.&nb" -"sp;

                            -\n" +"sp;

                            \n" "

                            There are general-purpose data repositories" " available in Canada, such as Scholars Portal Dataverse

                            -\n" +"-PI takes over the responsibilities.

                            \n" "

                            Indicate a succession strategy for these da" "ta in the event that one or more people responsible for the data leaves (e.g. " "a graduate student leaving after graduation). Describe the process to be follo" @@ -13030,8 +8314,7 @@ msgid "" "

                            Data documentation: I" "t is strongly encouraged to include a ReadMe file with all datasets (or simila" "r) to assist in understanding data collection and processing methods, naming c" -"onventions and file structure.

                            -\n" +"onventions and file structure.

                            \n" "Typically, good data documentation includes in" "formation about the study, data-level descriptions, and any other contextual i" "nformation required to make the data usable by other researchers. Other elemen" @@ -13048,16 +8331,14 @@ msgstr "" msgid "" "

                            Assign responsibilities for documentation: Individual roles and workflows should include gathering " -"data documentation as a key element.

                            -\n" +"data documentation as a key element.

                            \n" "

                            Establishing responsibilities for data mana" "gement and documentation is useful if you do it early on,  ideally in adv" "ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" "inning of each project. They can also be used to make team members responsible" -" for proper data management and documentation.

                            -\n" +" for proper data management and documentation.

                            \n" "

                            Consider how you will capture this informat" "ion and where it will be recorded, to ensure accuracy, consistency, and comple" "teness of the documentation.

                            " @@ -13069,8 +8350,7 @@ msgid "" "rnel-4.3/\">metadata schema specifically for open datasets. It lists a set of core" " metadata fields and instructions to make datasets easily identifiable and cit" -"able. 

                            -\n" +"able. 

                            \n" "There are many other general and domain-specif" "ic metadata standards.  Dataset documentation should be provided in one o" "f these standard, machine readable, openly-accessible formats to enable the ef" @@ -13093,8 +8373,7 @@ msgstr "" msgid "" "

                            Estimating data storage needs: Storage-space estimates should take into account requirements for fi" -"le versioning, backups, and growth over time. 

                            -\n" +"le versioning, backups, and growth over time. 

                            \n" "

                            If you are collecting data over a long peri" "od (e.g. several months or years), your data storage and backup strategy shoul" "d accommodate data growth. Include your back-up storage media in your estimate" @@ -13119,52 +8398,42 @@ msgid "" "

                            Ask for help: Your in" "stitution should be able to provide guidance with local storage solutions. See" "k out RDM support at your Library or your Advanced Research Computing departme" -"nt. 

                            -\n" +"nt. 

                            \n" "

                            Third-party commercial file sharing service" "s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" "t necessarily permanent or secure, and servers are often located outside Canad" "a. This may contravene ethics protocol requirements or other institutional pol" -"icies. 

                            -\n" +"icies. 

                            \n" "

                            An ideal solution is one that facilitates c" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Transmitting data between locations or within research teams" " can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution.

                            -\n" -"
                              -\n" +"ata transfer is not a robust or secure solution.

                              \n" +"
                                \n" "
                              • Raw data are directly obt" -"ained from the instrument, simulation or survey. 
                              • -\n" +"ained from the instrument, simulation or survey.  \n" "
                              • Processed data result fro" "m some manipulation of the raw data in order to eliminate errors or outliers, " "to prepare the data for analysis, to derive new variables, or to de-identify t" -"he human participants. 
                              • -\n" +"he human participants.  \n" "
                              • Analyzed data are the res" "ults of qualitative, statistical, or mathematical analysis of the processed da" "ta. They can be presented as graphs, charts or statistical tables. 
                              • -\n" +"> \n" "
                              • Final data are processed " "data that have, if needed, been converted into a preservation-friendly format." -" 
                              • -\n" +"  \n" "
                              " msgstr "" msgid "" "

                              Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

                              -\n" +"n list on your CV, just like a journal article? 

                              \n" "

                              If you publish your data in a data reposito" "ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" "y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

                              -\n" +"t easier to identify and cite datasets. 

                              \n" "re3data.org" " is a directory of potential open d" "ata repositories. Consult with your colleagues to determine what repositories " @@ -13184,8 +8453,7 @@ msgid "" "term (i.e. for peer-verification purposes), for a longer-term access for reuse" " (to comply with funding requirements), or for preservation through ongoing fi" "le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

                              -\n" +"ence the choice of data repository or archive. 

                              \n" "

                              If you need long-term archiving for your da" "ta set, choose a  preservation-capable repository. Digital preservation c" "an be costly and time-consuming, and not all data can or should be preserved. " @@ -13203,8 +8471,7 @@ msgid "" "

                              Use open licenses to promote data sharing and reuse: " "Licenses determine what uses can be made of yo" "ur data. Consider including a copy of your end-user license with your DMP. 

                              -\n" +"an> 

                              \n" "

                              As the creator of a dataset (or any other a" "cademic or creative work) you usually hold its copyright by default. However, " "copyright prevents other researchers from reusing and building on your work. <" @@ -13215,16 +8482,14 @@ msgid "" "ght: 400;\"> are a free, simple and standardized way to grant copyright permiss" "ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" "cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

                              -\n" +"mdash;as long as they credit you or cite your work.

                              \n" "

                              Even if you choose to make your data part o" "f the public domain (with no restrictions on reuse), it is preferable to make " "this explicit by using a license such as Creative Common" "s' CC0. It is strongly recommended " "to  share your data openly using an Open Data or Creative Commons license" -". 

                              -\n" +". 

                              \n" "Learn more about data licensing at the " "Digital Curation CentreUsing social media, e-newsletters, bulletin boards, posters" ", talks, webinars, discussion boards or discipline-specific forums are good wa" "ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

                              -\n" +"euse. 

                              \n" "

                              One of the best ways to refer other researc" "hers to your deposited datasets is to cite them the same way you cite other ty" "pes of publications. Publish your data in a repository that will assign a pers" @@ -13250,18 +8514,15 @@ msgstr "" msgid "" "

                              Determine jurisdiction: If" " your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

                              -\n" +"rmine which laws and policies will apply to your research.

                              \n" "

                              Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

                              -\n" +"ur institution's privacy officer or research services office.

                              \n" "

                              If you collaborate with a partner in the Eu" "ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                              -\n" +"style=\"font-weight: 400;\">.

                              \n" "

                              If you are working with data that has First" " Nations, Métis, or Inuit ownership, for example, you will need to work" " with protocols that ensure community privacy is respected and community harm " @@ -13286,15 +8547,13 @@ msgid "" "s aspect is not covered by an open license. You can learn more about data secu" "rity at the UK Data Service.

                              -\n" +"ont-weight: 400;\">.

                              \n" "

                              Inform your study participants if you inten" "d to publish an anonymized and de-identified version of collected data, and th" "at by participating, they agree to these terms. For sample language for inform" "ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

                              -\n" +"ecommended Informed Consent Language for Data Sharing.

                              \n" "

                              You may need to consider strategies to ensu" "re the ethical reuse of your published dataset by new researchers. These strat" "egies may affect your selection of a suitable license, and in some cases you m" @@ -13315,19 +8574,14 @@ msgid "" msgstr "" msgid "" -"

                              Please explain, in particular:

                              -\n" -"
                                -\n" +"

                                Please explain, in particular:

                                \n" +"
                                  \n" "
                                • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
                                • -\n" +"study? Ex: MRI, EEG. \n" "
                                • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
                                • -\n" +"biological sample. \n" "
                                • Approximately how many participants does the study plan to acquire images " -"from?
                                • -\n" +"from? \n" "
                                " msgstr "" @@ -13423,41 +8677,28 @@ msgid "" " (PHAC) is responsible for setting standards and coordinating REBs across Cana" "da. They provide 10 best practices for ensuring privacy of human participants:

                                -\n" -"
                                  -\n" +" 400;\"> for ensuring privacy of human participants:

                                  \n" +"
                                    \n" "
                                  • Determining the research objectives and ju" -"stifying the data needed to fulfill these objectives
                                  • -\n" +"stifying the data needed to fulfill these objectives \n" "
                                  • Limiting the collection of personal data
                                  • -\n" +"span> \n" "
                                  • Determining if consent from individuals is" -" required
                                  • -\n" +" required \n" "
                                  • Managing and documenting consent -\n" +"i> \n" "
                                  • Informing prospective research participant" -"s about the research
                                  • -\n" +"s about the research \n" "
                                  • Recruiting prospective research participan" -"ts
                                  • -\n" -"
                                  • Safeguarding personal data
                                  • -\n" +"ts \n" +"
                                  • Safeguarding personal data
                                  • \n" "
                                  • Controlling access and disclosure of perso" -"nal data
                                  • -\n" +"nal data \n" "
                                  • Setting reasonable limits on retention of " -"personal data
                                  • -\n" +"personal data \n" "
                                  • Ensuring accountability and transparency i" -"n the management of personal data
                                  • -\n" -"
                                  -\n" +"n the management of personal data \n" +"
                                \n" "


                                In the context of neuroimaging resear" "ch, “the potential identifiability of otherwise anonymous image files is" " of great concern to those in the field who are anxious to encourage electroni" @@ -13480,29 +8721,21 @@ msgid "" msgstr "" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "Please explain" -", in particular:
                                -\n" -"

                                  -\n" +", in particular:
                                  \n" +"
                                    \n" "
                                  • W" "hat is the make and model of the neuroimaging system? Ex: Siemens Prisma 3T.&n" -"bsp;
                                  • -\n" +"bsp; \n" "
                                  • C" "an you describe the image acquisition paradigm and parameters being used in th" -"e study? Ex. MRI T1w MPRAGE. 
                                  • -\n" +"e study? Ex. MRI T1w MPRAGE.  \n" "
                                  • W" "hat is the total duration of the scanning sequence? Ex. 40 minutes. -\n" +"> \n" "
                                  • W" -"hat file formats will your neuroimaging data be acquired in?
                                  • -\n" -"
                                      -\n" +"hat file formats will your neuroimaging data be acquired in? \n" +"
                                        \n" "
                                      • P" "roprietary file formats requiring specialized software or hardware to use are " "not recommended for preservation, but may be necessary for certain data collec" @@ -13513,40 +8746,28 @@ msgid "" "pan style=\"font-weight: 400;\">UBC Library or UK Data Archive.
                                      • -\n" -"
                                      -\n" +"nt-weight: 400;\">. \n" +"
                                    \n" "
                                  • W" "ill the data be converted into other formats? Ex. NIFTI, BIDS, Minc. -\n" +"i> \n" "
                                  • D" -"oes the study incorporate any data acquired externally? 
                                  • -\n" -"
                                      -\n" +"oes the study incorporate any data acquired externally?  \n" +"
                                        \n" "
                                      • N" -"o. New data acquisition only.
                                      • -\n" +"o. New data acquisition only. \n" "
                                      • N" -"ew data plus retrospective data from the same PI.
                                      • -\n" +"ew data plus retrospective data from the same PI. \n" "
                                      • N" -"ew data plus retrospective data from multiple sources.
                                      • -\n" +"ew data plus retrospective data from multiple sources. \n" "
                                      • O" -"nly retrospective data used in this study.
                                      • -\n" -"
                                      -\n" +"nly retrospective data used in this study. \n" +"
                                    \n" "
                                  • I" "f external data are used in this study, please provide details about the sourc" "e of external data, and identifying coordinates (DOI, URL, citation). -\n" -"
                                  -\n" +"li> \n" +"
                                \n" "
                                " msgstr "" @@ -13585,20 +8806,16 @@ msgid "" msgstr "" msgid "" -"
                                  -\n" +"
                                    \n" "
                                  • D" "oes the study have an identifier (study ID) entered into the imaging console a" -"nd other software? If so, enter the study ID here.
                                  • -\n" +"nd other software? If so, enter the study ID here. \n" "
                                  • D" "oes the study use identifiers for participants, e.g. sub-002 ? If so, give an " -"example of the subject ID format here.
                                  • -\n" +"example of the subject ID format here. \n" "
                                  • A" "re there any other codes or identifiers used in the study? If so, please ident" -"ify and describe them here.
                                  • -\n" +"ify and describe them here. \n" "
                                  " msgstr "" @@ -13783,8 +9000,7 @@ msgid "" "y-accessible formats to enable the effective exchange of information between u" "sers and systems.  These standards are often based on language-independen" "t data formats such as XML, RDF, and JSON. There are many metadata standards b" -"ased on these formats, including discipline-specific standards.

                                  -\n" +"ased on these formats, including discipline-specific standards.

                                  \n" "

                                  Dataset documentation may also include a co" "ntrolled vocabulary, which is a standardized list of terminology for describin" "g information. Examples of controlled vocabularies include the or NASA’s Glo" "bal Change Master Directory (GCMD) Keywords

                                  -\n" +": 400;\">. 

                                  \n" "

                                  Read more about metadata standards: UK Digital Curation Centre's D" "isciplinary Metadata

                                  " @@ -13805,16 +9020,14 @@ msgid "" "eu/Training/Training-Resources/Library/Data-Management-Expert-Guide/4.-Store/S" "torage\">overview of data storage solutions and" " media types at the Consortium of E" -"uropean Social Science Data Archives.

                                  -\n" +"uropean Social Science Data Archives.

                                  \n" "

                                  For York University researchers, UIT provid" "es server data storage with on-campus and off-campus backup options. It i" "s important that a conversation is had with UIT prior to submitting your grant" " as there may be costs associated with data storage that will need to be repre" -"sented in your budget.

                                  -\n" +"sented in your budget.

                                  \n" "

                                  Canadian researchers could also consider st" "orage and cloud resources available through the Check out

                                  -\n" -"
                                    -\n" +"

                                    Check out

                                    \n" +"
                                    " msgstr "" msgid "" -"

                                    Data Deposit

                                    -\n" +"

                                    Data Deposit

                                    \n" "

                                    Check out the Repository Options in Canada: A Portage Guide

                                    -\n" +">

                                    \n" "

                                    Scholars Portal Dataverse is available to York researchers and can serve preservation needs" " where single file size is less than 3 GB. Researchers interested in depositin" "g large file size data sets are invited to discuss their options by consulting" -" the RDM library services at yul_rdm@yorku.ca.

                                    -\n" +" the RDM library services at yul_rdm@yorku.ca.

                                    \n" "

                                    York University Libraries is a formal spons" "or of the Canadian Federated Research Data Repositorydata submission policy<" -"span style=\"font-weight: 400;\">.

                                    -\n" +"span style=\"font-weight: 400;\">.

                                    \n" "

                                    Larger projects will need to contact UIT" " to discuss the ongoing cost of lon" "g-term preservation. It is prudent that these costs be written into the grant " -"budget.

                                    -\n" +"budget.

                                    \n" "

                                    For other data deposit options, including d" "iscipline specific repositories, see the re3data.org directory. 

                                    -\n" +"ight: 400;\"> directory. 

                                    \n" "

                                    Check out the Generalist Reposito" "ry Comparison Chart to learn more a" -"bout different features of selected generalist repositories.

                                    -\n" -"

                                    Long-term Preservation

                                    -\n" +"bout different features of selected generalist repositories.

                                    \n" +"

                                    Long-term Preservation

                                    \n" "

                                    It’s possible that the data repositor" "y you've selected provides short- or medium-term data sharing and access but d" -"oes not meet your long-term preservation needs.

                                    -\n" +"oes not meet your long-term preservation needs.

                                    \n" "

                                    Check out the preservation policies of the " "data repositories to see how long the deposited data will be retained and whet" -"her they also provide long term data archiving services.

                                    -\n" +"her they also provide long term data archiving services.

                                    \n" "

                                    Research data files and metadata made avail" "able through the York University Dataverse<" "span style=\"font-weight: 400;\"> will generally be retained to the lifetime of " -"the repository. 

                                    -\n" +"the repository. 

                                    \n" "

                                    Check out the current Data Retention and Deaccession Policy of FRDR. -\n" +"p> \n" "

                                    A federated approach to research data prese" -"rvation in Canada is under consideration and development.

                                    -\n" +"rvation in Canada is under consideration and development.

                                    \n" "

                                    If you need assistance locating a suitable " "data repository or archive, please contact York University Libraries at yul_rd" "m@yorku.ca. 

                                    " @@ -13928,8 +9123,7 @@ msgid "" " href=\"http://research.info.yorku.ca/research-ethics/\">Office of Research Ethics " "for further details about re-consent previously collected data.  -\n" +"p> \n" "

                                    Data uploaded to Scholars Portal " "Dataverse can be restricted to only" @@ -13941,30 +9135,23 @@ msgid "" "cept content that contains confidential or sensitive information without appro" "priate permission. Dataverse can be used to share de-identified and non-confid" "ential data only. Contributors are required to remove, replace, or redact such" -" information from datasets prior to upload.

                                    -\n" -"

                                    Check out

                                    -\n" -" \n" "

                                    For help, please contact York University Li" "braries at yul_rdm@yorku.ca. 

                                    " msgstr "" @@ -13975,8 +9162,7 @@ msgid "" "he terms of your collective agreement. For graduate students, please review th" "e Faculty of Graduate Studies Guide on Intellectual Propert" -"y.

                                    -\n" +"y.

                                    \n" "

                                    Consult York U Office of Research Services (ORS) " @@ -14011,26 +9197,21 @@ msgid "" msgstr "" msgid "" -"

                                    Check out

                                    -\n" -"
                                      -\n" +"

                                      Check out

                                      \n" +"
                                      " msgstr "" @@ -14146,64 +9327,64 @@ msgstr "" msgid "No Plans found" msgstr "" -#: ../../app/controllers/application_controller.rb:38 +#: ../../app/controllers/application_controller.rb:39 msgid "You are not authorized to perform this action." msgstr "" -#: ../../app/controllers/application_controller.rb:42 +#: ../../app/controllers/application_controller.rb:43 msgid "You need to sign in or sign up before continuing." msgstr "You need to sign in or sign up before continuing." -#: ../../app/controllers/application_controller.rb:108 +#: ../../app/controllers/application_controller.rb:109 msgid "Unable to %{action} the %{object}.%{errors}" msgstr "" -#: ../../app/controllers/application_controller.rb:116 +#: ../../app/controllers/application_controller.rb:117 msgid "Successfully %{action} the %{object}." msgstr "" -#: ../../app/controllers/application_controller.rb:131 +#: ../../app/controllers/application_controller.rb:132 msgid "API client" msgstr "" -#: ../../app/controllers/application_controller.rb:132 +#: ../../app/controllers/application_controller.rb:133 msgid "plan" msgstr "" -#: ../../app/controllers/application_controller.rb:133 +#: ../../app/controllers/application_controller.rb:134 msgid "guidance group" msgstr "" -#: ../../app/controllers/application_controller.rb:134 +#: ../../app/controllers/application_controller.rb:135 msgid "comment" msgstr "" -#: ../../app/controllers/application_controller.rb:135 +#: ../../app/controllers/application_controller.rb:136 msgid "organisation" msgstr "" "organization\n" -#: ../../app/controllers/application_controller.rb:136 +#: ../../app/controllers/application_controller.rb:137 msgid "permission" msgstr "" -#: ../../app/controllers/application_controller.rb:137 +#: ../../app/controllers/application_controller.rb:138 msgid "preferences" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "profile" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "user" msgstr "" -#: ../../app/controllers/application_controller.rb:139 +#: ../../app/controllers/application_controller.rb:140 msgid "question option" msgstr "" -#: ../../app/controllers/application_controller.rb:184 +#: ../../app/controllers/application_controller.rb:185 msgid "Record Not Found" msgstr "" @@ -14517,7 +9698,7 @@ msgstr "" #: ../../app/helpers/plans_helper.rb:22 ../../app/helpers/plans_helper.rb:52 #: ../../app/helpers/settings_template_helper.rb:15 #: ../../app/views/devise/registrations/_password_confirmation.html.erb:22 -#: ../../app/views/orgs/_profile_form.html.erb:154 +#: ../../app/views/orgs/_profile_form.html.erb:152 #: ../../app/views/paginable/orgs/_index.html.erb:5 #: ../../app/views/paginable/plans/_org_admin.html.erb:20 #: ../../app/views/paginable/plans/_org_admin_other_user.html.erb:7 @@ -15247,12 +10428,12 @@ msgid "Plan Description" msgstr "" #: ../../app/helpers/settings_template_helper.rb:14 -#: ../../app/views/orgs/_profile_form.html.erb:142 +#: ../../app/views/orgs/_profile_form.html.erb:140 #: ../../app/views/paginable/templates/_customisable.html.erb:7 #: ../../app/views/paginable/templates/_organisational.html.erb:12 #: ../../app/views/plans/_project_details.html.erb:156 #: ../../app/views/plans/_show_details.html.erb:12 -#: ../../app/views/plans/new.html.erb:87 +#: ../../app/views/plans/new.html.erb:88 msgid "Funder" msgstr "" @@ -15278,7 +10459,7 @@ msgstr "" #: ../../app/helpers/template_helper.rb:46 #: ../../app/views/plans/index.html.erb:29 -#: ../../app/views/plans/new.html.erb:125 +#: ../../app/views/plans/new.html.erb:126 #: ../../app/views/shared/_create_plan_modal.html.erb:5 msgid "Create plan" msgstr "" @@ -15413,13 +10594,13 @@ msgid "%{grant_number}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -#: ../../app/views/shared/export/_plan_coversheet.erb:26 -#: ../../app/views/shared/export/_plan_txt.erb:15 -msgid "Project abstract: " +msgid "%{description}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -msgid "%{description}" +#: ../../app/views/shared/export/_plan_coversheet.erb:26 +#: ../../app/views/shared/export/_plan_txt.erb:15 +msgid "Project abstract: " msgstr "" #: ../../app/models/concerns/exportable_plan.rb:148 @@ -15494,14 +10675,14 @@ msgstr "" msgid "Selected option(s)" msgstr "" -#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 -msgid "Answered by" -msgstr "" - #: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:118 msgid "Answered at" msgstr "" +#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 +msgid "Answered by" +msgstr "" + #: ../../app/models/exported_plan.rb:162 msgid "Details" msgstr "" @@ -15701,10 +10882,7 @@ msgid "Plans" msgstr "" #: ../../app/models/user/at_csv.rb:8 -#: ../../app/views/paginable/notifications/_index.html.erb:8 -#: ../../app/views/paginable/users/_index.html.erb:28 -#: ../../app/views/super_admin/notifications/_form.html.erb:34 -msgid "Active" +msgid "Department" msgstr "" #: ../../app/models/user/at_csv.rb:8 @@ -15713,7 +10891,10 @@ msgid "Current Privileges" msgstr "" #: ../../app/models/user/at_csv.rb:8 -msgid "Department" +#: ../../app/views/paginable/notifications/_index.html.erb:8 +#: ../../app/views/paginable/users/_index.html.erb:28 +#: ../../app/views/super_admin/notifications/_form.html.erb:34 +msgid "Active" msgstr "" #: ../../app/policies/api/v0/departments_policy.rb:12 @@ -15911,7 +11092,7 @@ msgstr "" #: ../../app/views/org_admin/templates/_form.html.erb:85 #: ../../app/views/org_admin/users/edit.html.erb:54 #: ../../app/views/orgs/_feedback_form.html.erb:38 -#: ../../app/views/orgs/_profile_form.html.erb:190 +#: ../../app/views/orgs/_profile_form.html.erb:188 #: ../../app/views/plans/_edit_details.html.erb:11 #: ../../app/views/plans/_guidance_selection.html.erb:23 #: ../../app/views/questions/_preview_question.html.erb:111 @@ -16087,7 +11268,7 @@ msgstr "" #: ../../app/views/org_admin/questions/_form.html.erb:105 #: ../../app/views/org_admin/questions/_form.html.erb:107 #: ../../app/views/plans/_guidance_selection.html.erb:35 -#: ../../app/views/plans/new.html.erb:126 +#: ../../app/views/plans/new.html.erb:127 #: ../../app/views/super_admin/api_clients/_form.html.erb:86 #: ../../app/views/super_admin/notifications/_form.html.erb:73 #: ../../app/views/super_admin/themes/_form.html.erb:19 @@ -16163,7 +11344,7 @@ msgstr "" #: ../../app/views/devise/invitations/edit.html.erb:40 #: ../../app/views/devise/registrations/new.html.erb:43 #: ../../app/views/devise/registrations/new.html.erb:58 -#: ../../app/views/shared/_access_controls.html.erb:11 +#: ../../app/views/shared/_access_controls.html.erb:12 #: ../../app/views/shared/_create_account_form.html.erb:53 msgid "Create account" msgstr "" @@ -16401,7 +11582,7 @@ msgid "" msgstr "" #: ../../app/views/devise/registrations/_password_confirmation.html.erb:11 -#: ../../app/views/devise/registrations/edit.html.erb:17 +#: ../../app/views/devise/registrations/edit.html.erb:18 #: ../../app/views/shared/_create_account_form.html.erb:27 #: ../../app/views/shared/_sign_in_form.html.erb:7 msgid "Password" @@ -16485,11 +11666,11 @@ msgstr "" msgid "Personal Details" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:22 +#: ../../app/views/devise/registrations/edit.html.erb:24 msgid "API Access" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:27 +#: ../../app/views/devise/registrations/edit.html.erb:29 msgid "Notification Preferences" msgstr "" @@ -16505,7 +11686,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:69 #: ../../app/views/layouts/_signin_signout.html.erb:41 #: ../../app/views/shared/_access_controls.html.erb:5 -#: ../../app/views/shared/_sign_in_form.html.erb:19 +#: ../../app/views/shared/_sign_in_form.html.erb:21 msgid "Sign in" msgstr "" @@ -16935,7 +12116,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:13 #: ../../app/views/layouts/_navigation.html.erb:12 -#: ../../app/views/orgs/_profile_form.html.erb:58 +#: ../../app/views/orgs/_profile_form.html.erb:56 msgid "logo" msgstr "" @@ -17027,11 +12208,11 @@ msgid "%{application_name}" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Error:" +msgid "Notice:" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Notice:" +msgid "Error:" msgstr "" #: ../../app/views/layouts/application.html.erb:115 @@ -17407,11 +12588,11 @@ msgid "Feedback requested" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Notify the plan owner that I have finished providing feedback" +msgid "Complete" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Complete" +msgid "Notify the plan owner that I have finished providing feedback" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:39 @@ -17425,8 +12606,8 @@ msgid "Order" msgstr "" #: ../../app/views/org_admin/question_options/_option_fields.html.erb:6 -#: ../../app/views/orgs/_profile_form.html.erb:134 -#: ../../app/views/orgs/_profile_form.html.erb:163 +#: ../../app/views/orgs/_profile_form.html.erb:132 +#: ../../app/views/orgs/_profile_form.html.erb:161 #: ../../app/views/paginable/guidances/_index.html.erb:6 #: ../../app/views/shared/_links.html.erb:13 msgid "Text" @@ -17746,13 +12927,13 @@ msgid "New Template" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template History" +msgid "Template Customisation History" msgstr "" +"Template Customization History\n" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template Customisation History" +msgid "Template History" msgstr "" -"Template Customization History\n" #: ../../app/views/org_admin/templates/history.html.erb:10 msgid "" @@ -17913,83 +13094,83 @@ msgid "" "ort_email} if you have questions or to request changes." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:24 +#: ../../app/views/orgs/_profile_form.html.erb:22 msgid "Organisation full name" msgstr "" "Organization full name\n" -#: ../../app/views/orgs/_profile_form.html.erb:30 +#: ../../app/views/orgs/_profile_form.html.erb:28 msgid "Organisation abbreviated name" msgstr "" "Organization abbreviated name\n" -#: ../../app/views/orgs/_profile_form.html.erb:41 +#: ../../app/views/orgs/_profile_form.html.erb:39 msgid "" "A managed Org is one that can have its own Guidance and/or Templates. An unman" "aged Org is one that was automatically created by the system when a user enter" "ed/selected it." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:42 +#: ../../app/views/orgs/_profile_form.html.erb:40 msgid "Managed? (allows Org Admins to access the Admin menu)" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:54 +#: ../../app/views/orgs/_profile_form.html.erb:52 msgid "Organization logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:62 +#: ../../app/views/orgs/_profile_form.html.erb:60 msgid "This will remove your organisation's logo" msgstr "" "This will remove your organization's logo\n" -#: ../../app/views/orgs/_profile_form.html.erb:63 +#: ../../app/views/orgs/_profile_form.html.erb:61 msgid "Remove logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:65 +#: ../../app/views/orgs/_profile_form.html.erb:63 #: ../../app/views/orgs/shibboleth_ds.html.erb:34 -#: ../../app/views/plans/new.html.erb:64 ../../app/views/plans/new.html.erb:94 -#: ../../app/views/shared/_sign_in_form.html.erb:23 +#: ../../app/views/plans/new.html.erb:65 ../../app/views/plans/new.html.erb:95 +#: ../../app/views/shared/_sign_in_form.html.erb:25 msgid "or" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:82 +#: ../../app/views/orgs/_profile_form.html.erb:80 msgid "Organisation URLs" msgstr "" "Organization URLs\n" -#: ../../app/views/orgs/_profile_form.html.erb:94 +#: ../../app/views/orgs/_profile_form.html.erb:92 msgid "Administrator contact" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:99 +#: ../../app/views/orgs/_profile_form.html.erb:97 msgid "Contact email" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:103 +#: ../../app/views/orgs/_profile_form.html.erb:101 #: ../../app/views/shared/_links.html.erb:35 msgid "Link text" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:114 +#: ../../app/views/orgs/_profile_form.html.erb:112 msgid "Google Analytics Tracker" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:120 +#: ../../app/views/orgs/_profile_form.html.erb:118 msgid "Tracker Code" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:133 +#: ../../app/views/orgs/_profile_form.html.erb:131 msgid "Organisation Types" msgstr "" "Organization Types\n" -#: ../../app/views/orgs/_profile_form.html.erb:148 +#: ../../app/views/orgs/_profile_form.html.erb:146 msgid "Institution" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:162 +#: ../../app/views/orgs/_profile_form.html.erb:160 msgid "Organisation type(s)" msgstr "" "Organization type(s)\n" @@ -18366,11 +13547,11 @@ msgid "Create a new plan" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "(if available)" +msgid "Sample Plans" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "Sample Plans" +msgid "(if available)" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:47 @@ -18844,12 +14025,12 @@ msgstr "" msgid "What research project are you planning?" msgstr "" -#: ../../app/views/plans/new.html.erb:47 +#: ../../app/views/plans/new.html.erb:48 msgid "Indicate the primary research organisation" msgstr "" "Indicate the primary research organization\n" -#: ../../app/views/plans/new.html.erb:67 +#: ../../app/views/plans/new.html.erb:68 msgid "" "No research organisation associated with this plan or my research organisation" " is not listed" @@ -18857,24 +14038,24 @@ msgstr "" "No research organization associated with this plan or my research organization" " is not listed\n" -#: ../../app/views/plans/new.html.erb:78 +#: ../../app/views/plans/new.html.erb:79 msgid "Select the primary funding organisation" msgstr "" "Select the primary funding organization\n" -#: ../../app/views/plans/new.html.erb:97 +#: ../../app/views/plans/new.html.erb:98 msgid "No funder associated with this plan or my funder is not listed" msgstr "" -#: ../../app/views/plans/new.html.erb:110 +#: ../../app/views/plans/new.html.erb:111 msgid "Which DMP template would you like to use?" msgstr "" -#: ../../app/views/plans/new.html.erb:113 +#: ../../app/views/plans/new.html.erb:114 msgid "Please select a template" msgstr "" -#: ../../app/views/plans/new.html.erb:118 +#: ../../app/views/plans/new.html.erb:119 msgid "" "We found multiple DMP templates corresponding to your primary research organis" "ation" @@ -18967,15 +14148,15 @@ msgstr "" msgid "Search" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:11 +#: ../../app/views/shared/_sign_in_form.html.erb:12 msgid "Forgot password?" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:16 +#: ../../app/views/shared/_sign_in_form.html.erb:18 msgid "Remember email" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:27 +#: ../../app/views/shared/_sign_in_form.html.erb:29 msgid "Sign in with your institutional credentials" msgstr "" @@ -19123,27 +14304,23 @@ msgid "If you have an account please sign in and start creating or editing your msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "Sign up" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -<<<<<<< HEAD -msgid "If you do not have a %{application_name} account, click on" -======= -msgid "Sign up" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid "on the homepage." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "If you do not have a %{application_name} account, click on" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "page for guidance." +msgid "Please visit the" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "Please visit the" +msgid "page for guidance." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:43 @@ -19474,11 +14651,11 @@ msgid "New API Client" msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Unable to regenerate the client credentials." +msgid "Successfully regenerated the client credentials." msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Successfully regenerated the client credentials." +msgid "Unable to regenerate the client credentials." msgstr "" #: ../../app/views/super_admin/notifications/_form.html.erb:20 @@ -20130,6 +15307,10 @@ msgid "" " plan." msgstr "" +#: ../../app/views/user_mailer/feedback_notification.html.erb:15 +msgid "Alternatively, you can click the link below:" +msgstr "" + #: ../../app/views/user_mailer/new_comment.html.erb:5 msgid "" "%{commenter_name} has commented on your plan %{plan_title}. To view the commen" @@ -20204,37 +15385,24 @@ msgid "Hello %{recipient_name}," msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD -msgid " to " -======= -msgid " in a plan called " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " is creating a Data Management Plan and has answered " +msgid " based on the template " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD msgid " is creating a Data Management Plan and has answered " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " in a plan called " -======= msgid " to " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " based on the template " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid " in a plan called " msgstr "" #: ../../app/views/user_mailer/sharing_notification.html.erb:5 msgid "" -"Your colleague %{inviter_name} has invited you to contribute to -\n" +"Your colleague %{inviter_name} has invited you to contribute to \n" " their Data Management Plan in %{tool_name}" msgstr "" diff --git a/config/locale/en_GB/LC_MESSAGES/app.mo b/config/locale/en_GB/LC_MESSAGES/app.mo index 0644229556..f93a924b29 100644 Binary files a/config/locale/en_GB/LC_MESSAGES/app.mo and b/config/locale/en_GB/LC_MESSAGES/app.mo differ diff --git a/config/locale/en_GB/app.po b/config/locale/en_GB/app.po index 95e7349a04..04cfa7428a 100644 --- a/config/locale/en_GB/app.po +++ b/config/locale/en_GB/app.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: integration 1.0\n" "Report-Msgid-Bugs-To: contact@translation.io\n" -"POT-Creation-Date: 2022-04-01 11:53-0400\n" -"PO-Revision-Date: 2022-04-01 17:54+0200\n" +"POT-Creation-Date: 2022-05-05 12:50-0400\n" +"PO-Revision-Date: 2022-05-05 18:51+0200\n" "Last-Translator: FULL NAME \n" "Language-Team: English\n" "Language: en_GB\n" @@ -191,8 +191,7 @@ msgid "" " history and in the larger field of humanities. It was designed to take into a" "ccount the fact that research projects in these disciplines still primarily us" "e analog research data during the active phases of a project. 

                                      " -" -\n" +" \n" "

                                      Two versions of the model are proposed: gui" "dance labelled “Phase 1” is for the documentation of DMP sections " "joined with a funding application. The headings documented in Phase 1 are" @@ -219,8 +218,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

                                      -\n" +"ect.

                                      \n" "

                                      This template is for researchers who are do" "ing RDC work using Statistics Canada data and research data that they" @@ -232,8 +230,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

                                      -\n" +"RDC analyst.

                                      \n" "

                                      If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

                                      " @@ -250,13 +247,11 @@ msgid "" "

                                      This template provides general guidance for" " those who are undertaking systematic reviews. It is suggested that different " "team members contribute to the DMP based on the stage of the review process in" -" which they will be involved in creating data.

                                      -\n" +" which they will be involved in creating data.

                                      \n" "

                                      For additional guidance and examples, pleas" "e see the online research guide located at https://library.ucalgary.ca" -"/dmpforsr.

                                      -\n" +"/dmpforsr.

                                      \n" "

                                      The PRISMA-P f" "or systematic review protocols is a" @@ -283,8 +278,7 @@ msgid "" "onal partnership and who have already completed a funding application and an e" "thics review protocol.  The DMP is a living document: don’t forget to revisit your DMP throughout the rese" -"arch project to update or review your responses.

                                      -\n" +"arch project to update or review your responses.

                                      \n" "

                                      Not all of these questions will apply to al" "l research projects. We encourage you to respond to as many as possible but ul" "timately, you and your team have to decide which questions and answers apply t" @@ -296,8 +290,7 @@ msgid "" ") template is designed to be completed in two phases: Phase 1 questions probe " "at a high-level, seeking information about the general direction of the study." " Normally, researchers will be able to respond to phase 1 questions at the out" -"set of a project.  

                                      -\n" +"set of a project.  

                                      \n" "

                                      Phase 2 questions seek greater detail. It i" "s understood that these answers will often depend on the outcome of several st" "eps in the research project, such as: a literature review, imaging protocol de" @@ -323,8 +316,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

                                      -\n" +"ect.

                                      \n" "

                                      This template is for researchers who are do" "ing RDC work using Statistics Canada data available in the RDC only (" @@ -336,7 +328,6 @@ msgid "" msgstr "" msgid "

                                      This is the generic DMP template for Portage.

                                      " -<<<<<<< HEAD msgstr "" msgid "Portage Data Management Questions" @@ -424,8 +415,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

                                      -\n" +"RDC analyst.

                                      \n" "

                                      If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

                                      " @@ -436,86 +426,10 @@ msgid "" "eking information about the general direction of the study. Normally, research" "ers will be able to respond to phase 1 questions at the outset of a project.&n" "bsp; 

                                      " -======= -msgstr "" - -msgid "Portage Data Management Questions" -msgstr "" - -msgid "Software/Technology Management Plan" -msgstr "" - -msgid "Phase 1: Data Preparation" -msgstr "" - -msgid "Phase 1: Data Management Plan for Grant Application" -msgstr "" - -msgid "CRDCN Template for Research Data Centres and External Analysis" -msgstr "" - -msgid "Phase 1" -msgstr "" - -msgid "CRDCN Template for Accessing Data from Research Data Centres" -msgstr "" - -msgid "Data Management Plan" -msgstr "" - -msgid "Phase 2: Active Research (Data) Management" -msgstr "" - -msgid "Phase 2: Data Management Plan for Project Development" -msgstr "" - -msgid "Phase 2" -msgstr "" - -msgid "Phase 3: Data Protection" -msgstr "" - -msgid "Phase 4: Sharing and Preserving" -msgstr "" - -msgid "" -"

                                      This data management template is meant to b" -"e used by health sciences researchers conducting qualitative research on human" -" subjects. It includes guidance on data management best practices beginning wi" -"th data collection through to data sharing.

                                      " -msgstr "" - -msgid "" -"

                                      This section is focused solely on a managem" -"ent plan for the creation of software or technology.

                                      " -msgstr "" - -msgid "" -"

                                      This template will assist you in creating a" -" data management plan for arts-based research (ABR). It is intended for resear" -"chers and artists who use artistic processes as research methods (i.e., arts-b" -"ased methods). ABR is used across disciplines and encompasses diverse understa" -"ndings of the arts, research, and how they intersect. In this template, ABR is" -" an umbrella term for all the ways the arts are adapted to answer research que" -"stions, including those described as arts research, artistic research, and res" -"earch-creation. You can use this template on its own, or in combination with o" -"thers on the DMP Assistant " -"when using arts-based methods with other methodological approaches. " -msgstr "" - -msgid "" -"

                                      “Phase 1” is for the documentat" -"ion of DMP sections joined with a funding application. The headings documented" -" in Phase 1 are primarily aimed at producing a DMP to support research da" -"ta management (RDM) budgeting for the research project.

                                      " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" msgid "" "

                                      This template is for researchers who are do" -<<<<<<< HEAD "ing RDC work using Statistics Canada data available in the RDC only (" "i.e. there is no supplemental data, public use statistics, or any other inform" @@ -549,16 +463,22 @@ msgid "" "roughout a research project. 

                                      " msgstr "" +msgid "sec2" +msgstr "" + +msgid "section2" +msgstr "" + msgid "Data Production" msgstr "" msgid "Sharing and Preserving" msgstr "" -msgid "Software/Technology Development" +msgid "Research Data Management Policies" msgstr "" -msgid "Research Data Management Policies" +msgid "Software/Technology Development" msgstr "" msgid "Data Analysis" @@ -573,19 +493,16 @@ msgstr "" msgid "Metadata" msgstr "" -msgid "File Management" -msgstr "" - -msgid "Ensure Portability and Reproducibility of Results" +msgid "Storage, Backup, and Access" msgstr "" msgid "Software/Technology Preservation" msgstr "" -msgid "Storage, Backup, and Access" +msgid "Ensure Portability and Reproducibility of Results" msgstr "" -msgid "Sharing and Archiving" +msgid "File Management" msgstr "" msgid "Software/Technology Ethical and Legal Restrictions" @@ -594,7 +511,7 @@ msgstr "" msgid "Storage, Access, and Backup" msgstr "" -msgid "Sharing, Reuse, and Preservation" +msgid "Sharing and Archiving" msgstr "" msgid "Software/Technology Responsible Parties" @@ -603,13 +520,16 @@ msgstr "" msgid "Ethics and Intellectual Property" msgstr "" -msgid "Ethical and Legal Compliance" +msgid "Sharing, Reuse, and Preservation" msgstr "" -msgid "Roles and Responsibilities" +msgid "Software/Technology Sharing" msgstr "" -msgid "Software/Technology Sharing" +msgid "Ethical and Legal Compliance" +msgstr "" + +msgid "Roles and Responsibilities" msgstr "" msgid "Responsibilities and Resources " @@ -621,20 +541,21 @@ msgstr "" msgid "Data Sharing" msgstr "" +msgid "test customization section" +msgstr "" + msgid "" "

                                      All research conducted in the Research Data" " Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" "ry in nature. There is no data collection involved in this project. These data" " are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

                                      -\n" +"d by the Canadian Research Data Centres Network.

                                      \n" "

                                      Raw data in the RDC are stored in multiple " "formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" "files) as appropriate. The availability of StatTransfer™ software within" " the RDCs and continued management by Statistics Canada will ensure that the d" "ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

                                      -\n" +"ecome obsolete. 

                                      \n" "

                                      The data provided by Statistics Canada are " "assigned unique identifiers which can be used to identify the data in any rese" "arch output. 

                                      " @@ -645,8 +566,7 @@ msgid "" " Centres (hereafter RDC) is secondary in nature. There is no data collection i" "nvolved in this portion of the project. These data are owned and maintained by" " Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

                                      -\n" +"ata Centres Network.

                                      \n" "

                                      Raw data in the RDC are stored in multiple " "formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" "pefiles) as appropriate. The availability of StatTransfer™ software with" @@ -658,6 +578,9 @@ msgid "" "chived.

                                      " msgstr "" +msgid "

                                      test

                                      " +msgstr "" + msgid "" "

                                      Describe the components that will be requir" "ed to develop the software/technology in question.

                                      " @@ -668,11 +591,6 @@ msgid "" "ll follow during the data collection process of your study.

                                      " msgstr "" -msgid "" -"

                                      Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

                                      " -msgstr "" - msgid "" "

                                      Outline the steps, materials, and methods t" "hat you will use to document how you will analyze the data collected in your s" @@ -686,12 +604,6 @@ msgid "" "he questionnaire, and a codebook.

                                      " msgstr "" -msgid "" -"

                                      Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

                                      " -msgstr "" - msgid "" "Because data are rarely self-explanatory, all research data should be accompan" "ied by metadata (information that describes the data according to community be" @@ -703,6 +615,17 @@ msgid "" "ved access to the data, where possible." msgstr "" +msgid "" +"

                                      Provide an outline of the documentation and" +" information that would be required for someone else to understand and reuse y" +"our software/technology.

                                      " +msgstr "" + +msgid "" +"

                                      Outline the steps, materials, and methods t" +"hat you will use during the data analysis phase of your study.

                                      " +msgstr "" + msgid "" "

                                      Documentation provided by Statistics Canada" " in the RDC will be available to any potential future users of these data. Thi" @@ -715,6 +638,12 @@ msgid "" ">

                                      " msgstr "" +msgid "" +"

                                      This section will focus on including inform" +"ation that would be required for someone else to interpret and re-use your dat" +"a.

                                      " +msgstr "" + msgid "" "

                                      This section is designed for you to provide" " information about your data, so that others will be able to better understand" @@ -738,10041 +667,5016 @@ msgid "" msgstr "" msgid "" -"

                                      This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

                                      " -======= -"ing RDC work using Statistics Canada data and research data that they" -" have either brought into the RDC “supplemental data” or are analy" -"zing in parallel to their work in the RDC (such as mixed-methods) or public us" -"e statistics that compliment the RDC work (hereafter: external data)." -" Researchers should be aware that any data brought into the RDC will be stored" -" alongside the rest of their project material subject to the information manag" -"ement protocols from Statistics Canada. This is a free, relatively straightfor" -"ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

                                      -\n" -"

                                      If your work is being conducted in the RDC " -"using only data provided through the RDC program then the RDC-only template sh" -"ould be completed and not this template. 

                                      " +"

                                      Data storage is managed by the CRDCN in par" +"tnership with Statistics Canada on Servers located across the network. Th" +"e current policy of the CRDCN is to store project data (syntax, releases, and " +"anything else stored in the project folder) for ten years. These data are back" +"ed up on site and accessible through a highly secured network from any of the " +"other RDC locations. Raw data related to the research project are stored in pe" +"rpetuity by Statistics Canada.

                                      \n" +"

                                      For external research data, storage and bac" +"kup are solely the responsibility of the researcher. Please consider the follo" +"wing questions as they relate to external data. These questions should also be" +" considered for supplemental data if you plan to do parallel storage and backu" +"p of these data.

                                      " msgstr "" msgid "" -"

                                      Phase 1 questions probe at a high-level, se" -"eking information about the general direction of the study. Normally, research" -"ers will be able to respond to phase 1 questions at the outset of a project.&n" -"bsp; 

                                      " +"

                                      This section will ask you to outline how yo" +"u will store and manage your data throughout the research process.

                                      " msgstr "" msgid "" -"

                                      This template is for researchers who are do" -"ing RDC work using Statistics Canada data available in the RDC only (" -"i.e. there is no supplemental data, public use statistics, or any other inform" -"ation that complements the RDC work). If your work is being conducted in the R" -"DC in concert with other data that you either intend to bring into the RDC or " -"work on outside the RDC in parallel to your RDC work, then the RDC and Externa" -"l Analysis template should be completed. 

                                      " +"

                                      The work conducted in the RDC for this proj" +"ect is kept based on the Contract ID provided by the RDC program which can be " +"used by anyone on the project team to retrieve the code and supporting documen" +"ts for a period of 10 years as described above in “Storage and Backup&rd" +"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" +"rmanently stored by Statistics Canada, but can never be released to the resear" +"cher. Researchers can also preserve all user-generated RDC research data that " +"meets the criteria for release through a vetting request via a repository such" +" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" +"). Best practices for reproducible work require indefinite preservation of res" +"earch data (so in the case of RDC research, this means metadata, syntax, metho" +"dology).

                                      " msgstr "" -msgid "

                                      test

                                      " +msgid "" +"

                                      Provide any ethical or legal restrictions t" +"hat may impact how you use and/or distribute your software/technology.<" +"/p>" msgstr "" msgid "" -"

                                      This section is focused on a data managemen" -"t plan designed to describe the methods in which data are gathered, analyzed, " -"and shared from participants based on interventions or testing of the correspo" -"nding software or technology

                                      " +"

                                      The work conducted in the RDC for this proj" +"ect is kept based on the Contract ID provided by the RDC program which can be " +"used by anyone on the project team to retrieve the code and supporting documen" +"ts for a period of 10 years as described above in “Storage and Backup&rd" +"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data, is pe" +"rmanently stored by Statistics Canada, but can never be released to the resear" +"cher. Researchers can also preserve all user-generated RDC research data that " +"meets the criteria for release through a vetting request via a repository such" +" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" +"). Best practices for reproducible work require indefinite preservation of res" +"earch data (so in the case of RDC research, this means metadata, syntax, metho" +"dology). In addition to this preservation for the RDC work, the external data " +"(and related syntax, metadata and methodology) should be preserved also.

                                      " msgstr "" msgid "" -"

                                      “Phase 2” may be considered onc" -"e funding has been secured. The entire DMP is an evolving management document " -"since the content of certain headings will only become clearer once the projec" -"t is well underway.

                                      " +"

                                      Describe and outline how and where your dat" +"a will be stored throughout the research project.

                                      " msgstr "" msgid "" -"

                                      Phase 2 questions seek greater detail. It i" -"s understood that these answers will often depend on the outcome of several st" -"eps in the research project, such as: a literature review, imaging protocol de" -"sign and experimental design, or running multiple pilot subjects and interpret" -"ing the outcome. As these details become known, the DMP can and should be revi" -"sited. This approach underscores that DMPs are living documents that evolve th" -"roughout a research project. 

                                      " +"

                                      Describe the steps that will ensure that yo" +"ur data will be available and usable for the foreseeable future after your stu" +"dy is complete.

                                      " msgstr "" -msgid "Data Production" +msgid "" +"

                                      Outline who is responsible for the developm" +"ent and monitoring of the software/technology over the course of the study.

                                      " msgstr "" -msgid "Sharing and Preserving" +msgid "" +"

                                      Because the Statistics Canada Microdata fil" +"es are collected under assurances of confidentiality and are owned and control" +"led by Statistics Canada, they cannot be shared by any member of the research " +"team. 

                                      \n" +"

                                      Access to the data in the RDCs is governed " +"by the CRDCN's Access and Fee-for-service policy in English or <" +"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" +"twork members and provides access to others on a cost-recovery basis. \n" +"

                                      The CRDCN and Statistics Canada promote the" +"ir data holdings through social media and their respective websites. In additi" +"on, CRDCN data are required to be cited in any and all publications with the r" +"ecord number so that readers are able to find the data. In addition, all publi" +"cations using RDC data should include the RDC contract ID so that potential us" +"ers can find information on the original contract. This information is availab" +"le on the CRDCN website (crdcn.org/pu" +"blications).

                                      \n" +"

                                      For your supplemental/external data, please" +" answer the following questions aimed to satisfy the FAIR principl" +"es.

                                      " msgstr "" -msgid "Research Data Management Policies" +msgid "" +"

                                      Because the Statistics Canada Microdata fil" +"es are collected under assurances of confidentiality and are owned and control" +"led by Statistics Canada, they cannot be shared by any member of the research " +"team. 

                                      \n" +"

                                      Access to the data in the RDCs is governed " +"by the CRDCN's Access and Fee-for-service policy in English or <" +"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" +"twork members and provides access to others on a cost-recovery basis. \n" +"

                                      The CRDCN and Statistics Canada promote the" +"ir data holdings through social media and their respective websites. In additi" +"on, CRDCN data are required to be cited in any and all publications with the S" +"tatistics Canada Record Number so that readers are able to find the data. In a" +"ddition, all publications using RDC data should include the RDC contract ID so" +" that potential users can find information on the original contract. This info" +"rmation is available on the CRDCN website (crdcn.org/publications" +").

                                      " msgstr "" -msgid "Software/Technology Development" +msgid "" +"

                                      Describe the steps that will ensure that yo" +"ur data will be available and usable for the foreseeable future after your stu" +"dy is complete.

                                      " msgstr "" -msgid "Data Analysis" +msgid "" +"

                                      Outline the ethical and legal implications " +"placed on your research data.

                                      " msgstr "" -msgid "Software/Technology Documentation" +msgid "" +"

                                      Describe how you will make your software/te" +"chnology discoverable and accessible to others once it is complete.

                                      " msgstr "" -msgid "Metadata" +msgid "" +"

                                      The CRDCN and Statistics Canada will mainta" +"in the research data even if the researcher leaves their organization.<" +"/p> \n" +"

                                      CRDCN enjoys the support of CIHR, SSHRC and" +" CFI as well as receiving funds from the partner universities. There is no cha" +"rge to the users of the RDCs for the data management conducted under the auspi" +"ces of CRDCN and Statistics Canada as described within this DMP. <" +"/p> \n" +"

                                      CRDCN does not employ consistency checking " +"to ensure that the code provided alongside requests for research results to be" +" released from the secure facility truly creates the output as requested. The " +"responsibility for ensuring that the code and documents describing their use w" +"ork as intended and are clear to other users who might access them lies with t" +"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" +"s saved alongside all of the research output used to support the conclusions o" +"f any published works.

                                      \n" +"

                                      Researchers should consider how to manage t" +"heir external research data and should think about who on the project team wil" +"l have responsibility for managing the research data and what resources might " +"be required to do so. Where possible, the research data from within the RDC sh" +"ould be managed in a way that is coordinated with the external research data m" +"anagement.

                                      In addition to the data management employed by Statistic" +"s Canada, it is possible for researchers to have research output that does not" +" contain confidential data, including tables, syntax and other information, re" +"leased from the RDC where it could be curated in a repository of the researche" +"r’s choosing as described in the Preservation section. If you plan to do" +" any supplemental storage or curation of your research data (either the user-g" +"enerated research data from the RDC or the external/supplemental data), please" +" comment on where the responsibility for curation and maintenance of this arch" +"ive resides.

                                      " msgstr "" -msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" +msgid "" +"Data management focuses on the 'what' and 'how' of operationally supporting da" +"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" +"sible for ensuring that data management happens. A large project, for example," +" will involve multiple data stewards. The Principal Investigator should identi" +"fy at the beginning of a project all of the people who will have responsibilit" +"ies for data management tasks during and after the project." msgstr "" -msgid "Software/Technology Preservation" +msgid "" +"

                                      Outline any ethical and legal implications " +"placed on your research data.

                                      " msgstr "" -msgid "Storage, Backup, and Access" +msgid "" +"

                                      The CRDCN and Statistics Canada will mainta" +"in the research data even if the researcher leaves their organization.<" +"/p> \n" +"

                                      CRDCN enjoys the support of CIHR, SSHRC and" +" CFI as well as receiving funds from the partner universities. There is no cha" +"rge to the users of the RDCs for the data management conducted under the auspi" +"ces of CRDCN and Statistics Canada as described within this DMP. <" +"/p> \n" +"

                                      CRDCN does not employ consistency checking " +"to ensure that the code provided alongside requests for research results to be" +" released from the secure facility truly creates the output as requested. The " +"responsibility for ensuring that the code and documents describing their use w" +"ork as intended and are clear to other users who might access them lies with t" +"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" +"s saved alongside all of the research output used to support the conclusions o" +"f any published works.

                                      " msgstr "" -msgid "Ensure Portability and Reproducibility of Results" +msgid "" +"

                                      Any users of the RDC must be 'deemed employ" +"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" +"dates a security clearance process including a criminal background check, cred" +"it check and fingerprinting. Approval for access to data requires a peer-revie" +"w process of a research proposal and an institutional review at Statistics Can" +"ada. In cases where a researcher’s scholarly work has been assessed thro" +"ugh the tenure review process, they are considered peer-review pre-approved an" +"d only the institutional review is required.

                                      \n" +"

                                      Once a researcher is granted access to the " +"RDC they must take an Oath of Secre" +"cy – promising never to disc" +"lose confidential data. Criminal penalties can apply under the Statistics Act " +"for violations of this oath.

                                      \n" +"

                                      Intellectual property for work done within " +"the RDC becomes property of Statistics Canada including code used to manipulat" +"e data. The collection and dissemination of, and access to, confidential micro" +"data is conducted under the Statist" +"ics Act and complies with all lega" +"l requirements. The confidential microdata for this project cannot be shared, " +"posted, or copied. Access to the data is available exclusively through Statist" +"ics Canada and the RDC program. More information on how to access data is avai" +"lable here in English or French.

                                      \n" +"


                                      In general, research ethics clearance is not required for research conducted" +" in the RDC. A statement from the CRDCN on the topic is available here in English or French.

                                      \n" +"

                                      Please respond to the following ethical com" +"pliance questions as they relate to your external/supplemental data. If your p" +"roject underwent research-ethics review at your institution, you can summarize" +" the submission instead of answering these questions.

                                      " msgstr "" -msgid "File Management" +msgid "" +"

                                      In general, data collected using public fun" +"ds should be preserved for future discovery and reuse. As you develop your data sharing strategy you will want to con" +"sider the following:

                                      " msgstr "" -msgid "Software/Technology Ethical and Legal Restrictions" +msgid "" +"

                                      Indicate who will be working with the data " +"at various stages, and describe their responsibilities.

                                      " msgstr "" -msgid "Storage, Access, and Backup" +msgid "" +"

                                      Any users of the RDC must be 'deemed employ" +"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" +"dates a security clearance process including a criminal background check, cred" +"it check and fingerprinting. Approval for access to data requires a peer-revie" +"w process of a research proposal and an institutional review at Statistics Can" +"ada. In cases where a researcher’s scholarly work has been assessed thro" +"ugh the tenure review process, they are considered peer-review pre-approved an" +"d only the institutional review is required.

                                      \n" +"

                                      Once a researcher is granted access to the " +"RDC they must take an Oath of Secrecy – promising never to disclose conf" +"idential data. Criminal penalties can apply under the Statistics Act for viola" +"tions of this oath.

                                      \n" +"

                                      Intellectual property for work done within " +"the RDC becomes property of Statistics Canada including code used to manipulat" +"e data. The collection and dissemination of, and access to, confidential micro" +"data is conducted under the Statistics Act and complies with all legal require" +"ments. The confidential microdata for this project cannot be shared, posted, o" +"r copied. Access to the data is available through the RDC program. More inform" +"ation on how to access data is available here in English or French.

                                      \n" +"

                                      In general, research ethics clearance is no" +"t required for research conducted in the RDC. A statement from the CRDCN on th" +"e topic is available here in English or French.

                                      " msgstr "" -msgid "Sharing and Archiving" +msgid "" +"Researchers and their teams need to be aware of the policies and processes, bo" +"th ethical and legal, to which their research data management must comply. Pro" +"tection of respondent privacy is of paramount importance and informs many data" +" management practices.  In their data management plan, researchers must state " +"how they will prepare, store, share, and archive the data in a way that ensure" +"s participant information is protected, throughout the research lifecycle, fro" +"m disclosure, harmful use, or inappropriate linkages with other personal data." +"
                                      It's recognized that there may be cases where certain data and metadata c" +"annot be made public for various policy or legal reasons, however, the default" +" position should be that all research data and metadata are public." msgstr "" -msgid "Software/Technology Responsible Parties" +msgid "" +"

                                      Provide information about how you will make" +" your data available and/or discoverable to the broader community.

                                      " msgstr "" -msgid "Ethics and Intellectual Property" +msgid "What types of data will you collect, create, link to, acquire and/or record?" msgstr "" -msgid "Sharing, Reuse, and Preservation" +msgid "" +"What documentation will be needed for the data to be read and interpreted corr" +"ectly in the future?" msgstr "" -msgid "Ethical and Legal Compliance" +msgid "" +"What are the anticipated storage requirements for your project, in terms of st" +"orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " +"you will be storing it?" msgstr "" -msgid "Roles and Responsibilities" +msgid "" +"Where will you deposit your data for long-term preservation and access at the " +"end of your research project?" msgstr "" -msgid "Software/Technology Sharing" +msgid "" +"What data will you be sharing and in what form? (e.g. raw, processed, analyzed" +", final)." msgstr "" -msgid "Responsibilities and Resources " +msgid "" +"Identify who will be responsible for managing this project's data during and a" +"fter the project and the major data management tasks for which they will be re" +"sponsible." msgstr "" -msgid "Sharing, Reuse and Preservation" +msgid "" +"If your research project includes sensitive data, how will you ensure that it " +"is securely managed and accessible only to approved members of the project?" msgstr "" -msgid "Data Sharing" +msgid "" +"What types of data will you be collecting?" msgstr "" msgid "" -"

                                      All research conducted in the Research Data" -" Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" -"ry in nature. There is no data collection involved in this project. These data" -" are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

                                      -\n" -"

                                      Raw data in the RDC are stored in multiple " -"formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" -"files) as appropriate. The availability of StatTransfer™ software within" -" the RDCs and continued management by Statistics Canada will ensure that the d" -"ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

                                      -\n" -"

                                      The data provided by Statistics Canada are " -"assigned unique identifiers which can be used to identify the data in any rese" -"arch output. 

                                      " +"How will you document the changes you make to " +"your data on a regular basis?" msgstr "" msgid "" -"

                                      All research conducted in the Research Data" -" Centres (hereafter RDC) is secondary in nature. There is no data collection i" -"nvolved in this portion of the project. These data are owned and maintained by" -" Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

                                      -\n" -"

                                      Raw data in the RDC are stored in multiple " -"formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" -"pefiles) as appropriate. The availability of StatTransfer™ software with" -"in the RDCs and continued management by Statistics Canada will ensure that the" -" data will be accessible indefinitely should the file formats currently in use" -" become obsolete. Researchers can bring data into the RDCs (these will be call" -"ed “supplemental data”). When they do, they are stored alongside a" -"ll of the other research products related to that contract from the RDC and ar" -"chived.

                                      " +"What information about your research would som" +"eone need to know to reuse or interpret your data?" msgstr "" msgid "" -"

                                      Describe the components that will be requir" -"ed to develop the software/technology in question.

                                      " +"What are the storage requirements needed for y" +"our data?" msgstr "" msgid "" -"

                                      Outline the processes and procedures you wi" -"ll follow during the data collection process of your study.

                                      " +"Where will data be stored after the p" +"roject is complete?" msgstr "" msgid "" -"

                                      Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

                                      " +"How is the informed consent process carried ou" +"t in your study? " msgstr "" msgid "" -"

                                      Outline the steps, materials, and methods t" -"hat you will use to document how you will analyze the data collected in your s" -"tudy.

                                      " +"What financial resources will you require for " +"data management in this study?" msgstr "" msgid "" -"

                                      Documentation provided by Statistics Canada in the RDC is available to any " -"data-users. This documentation is freely available to those with approved proj" -"ects, and contains information about the sample selection process, a copy of t" -"he questionnaire, and a codebook.

                                      " +"Who are the likely users/benefitters of your d" +"ata?" msgstr "" msgid "" -"Because data are rarely self-explanatory, all research data should be accompan" -"ied by metadata (information that describes the data according to community be" -"st practices).  Metadata standards vary across disciplines, but generally stat" -"e who created the data and when, how the data were created, their quality, acc" -"uracy, and precision, as well as other features necessary to facilitate data d" -"iscovery, understanding and reuse.
                                      Any restrictions on use of the data mu" -"st be explained in the metadata, along with information on how to obtain appro" -"ved access to the data, where possible." +"What software/technology will be created in th" +"is study?" msgstr "" msgid "" -"

                                      Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

                                      " +"What information would be required for someone" +" to understand and reuse your software/technology?" msgstr "" msgid "" -"

                                      Documentation provided by Statistics Canada" -" in the RDC will be available to any potential future users of these data. Thi" -"s documentation is freely available to those with approved projects, and conta" -"ins information about the sample selection process, a copy of the questionnair" -"e, and a codebook. Researchers should also think about how the metadata for th" -"eir external data can be provided to other researchers. Best practices require" -" that there be coordination between the internal and external data management." -" How to best manage this will depend on the nature of the external data.

                                      " +"How will the software/technology be updated an" +"d maintained over time?" msgstr "" msgid "" -"

                                      This section is designed for you to provide" -" information about your data, so that others will be able to better understand" -", interpret, and potentially re-use your data for secondary analysis." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"Who will own the copyright to the software/tec" +"hnology?" msgstr "" msgid "" -"

                                      Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -<<<<<<< HEAD -"anything else stored in the project folder) for ten years. These data are back" -"ed up on site and accessible through a highly secured network from any of the " -"other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

                                      -\n" -"

                                      For external research data, storage and bac" -"kup are solely the responsibility of the researcher. Please consider the follo" -"wing questions as they relate to external data. These questions should also be" -" considered for supplemental data if you plan to do parallel storage and backu" -"p of these data.

                                      " +"Who will have access to your software/technolo" +"gy throughout the project? Describe each collaborator’s responsibilities" +" in relation to having access to the data." msgstr "" msgid "" -"

                                      This section will ask you to outline how yo" -"u will store and manage your data throughout the research process.

                                      " +"Who are the intended users of your software/te" +"chnology?" msgstr "" msgid "" -"

                                      The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology).

                                      " +"How will you document the changes you make to " +"your data on a regular basis during the data analysis phase?" msgstr "" msgid "" -"

                                      Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" +"What information would be required for someone" +" else to understand and reuse your data?" msgstr "" msgid "" -"

                                      Describe and outline how and where your dat" -"a will be stored throughout the research project.

                                      " -======= -"anything else stored in the project folder) for ten years. Data are backed up " -"on site and accessible through a highly secured network from any of the other " -"RDC locations.

                                      " +"How will the informed consent process be carri" +"ed out within your study?" msgstr "" msgid "" -"

                                      Describe how your software/technology will " -"be available for the foreseeable future after the study is complete.Who are the intended users of your data?" msgstr "" msgid "" -"

                                      Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -"anything else stored in the project folder) for ten years. These data are back" -"ed up on site and accessible through a highly secured network from any of the " -"other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

                                      -\n" -"

                                      For external research data, storage and bac" -"kup are solely the responsibility of the researcher. Please consider the follo" -"wing questions as they relate to external data. These questions should also be" -" considered for supplemental data if you plan to do parallel storage and backu" -"p of these data.

                                      " +"What types of data will you create and/or collect? What methods, arts-based an" +"d otherwise, will you use?" msgstr "" msgid "" -"

                                      This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

                                      " +"What metadata will you create to ensure your data can be interpreted and reuse" +"d in the future?" msgstr "" msgid "" -"

                                      This section will ask you to outline how yo" -"u will store and manage your data throughout the research process.

                                      " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"How much storage space will you need for digital data during your project? How" +" long will you store them?" msgstr "" -msgid "" -"

                                      The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -<<<<<<< HEAD -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data, is pe" -======= -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data are pe" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -<<<<<<< HEAD -"dology). In addition to this preservation for the RDC work, the external data " -"(and related syntax, metadata and methodology) should be preserved also.

                                      " +msgid "What are your preservation needs for your digital data?" msgstr "" -msgid "" -"

                                      Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                      -\n" -"

                                      Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

                                      The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

                                      " +msgid "What types of data will you share and in what form?" msgstr "" msgid "" -"

                                      Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                      " +"Who will be responsible for research data management during and after your pro" +"ject? What will their tasks be?" msgstr "" msgid "" -"

                                      Outline who is responsible for the developm" -"ent and monitoring of the software/technology over the course of the study.

                                      " +"Are there policies that outline requirements and/or best practices pertaining " +"to your research data management?" msgstr "" msgid "" -"

                                      Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                      -\n" -"

                                      Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

                                      The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the r" -"ecord number so that readers are able to find the data. In addition, all publi" -"cations using RDC data should include the RDC contract ID so that potential us" -"ers can find information on the original contract. This information is availab" -"le on the CRDCN website (crdcn.org/pu" -"blications).

                                      -\n" -"

                                      For your supplemental/external data, please" -" answer the following questions aimed to satisfy the FAIR principl" -"es.

                                      " +"Are there any research data management policie" +"s in place that outline requirements and/or best practice guidance regarding t" +"he management of your data? If so, provide details and, if helpful, URL links " +"to these policies. " msgstr "" msgid "" -"

                                      Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                      " +"Describe the type(s) of data that you will collect, including all survey, inte" +"rview and/or focus group data. If there are any additional types of data that " +"will be collected or generated describe these as well." msgstr "" msgid "" -"

                                      Outline the ethical and legal implications " -"placed on your research data.

                                      " +"Describe any documentation and metadata that will be used in order to ensure t" +"hat data are able to be read and understood both during the active phases of t" +"he project and in the future." msgstr "" msgid "" -"

                                      The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

                                      CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

                                      CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

                                      -\n" -"

                                      Researchers should consider how to manage t" -"heir external research data and should think about who on the project team wil" -"l have responsibility for managing the research data and what resources might " -"be required to do so. Where possible, the research data from within the RDC sh" -"ould be managed in a way that is coordinated with the external research data m" -"anagement.

                                      In addition to the data management employed by Statistic" -"s Canada, it is possible for researchers to have research output that does not" -" contain confidential data, including tables, syntax and other information, re" -"leased from the RDC where it could be curated in a repository of the researche" -"r’s choosing as described in the Preservation section. If you plan to do" -" any supplemental storage or curation of your research data (either the user-g" -"enerated research data from the RDC or the external/supplemental data), please" -" comment on where the responsibility for curation and maintenance of this arch" -"ive resides.

                                      " +"Describe where, how, and for how long data wil" +"l be securely stored during the act" +"ive phases of the research project" +". If any data are to be collected through the use of electronic platforms, acc" +"ount for their usage within your data storage description. Include a descripti" +"on of any policies and procedures that will be in place to ensure that data ar" +"e regularly backed-up." msgstr "" msgid "" -"

                                      Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

                                      " +"Describe how you will ensure that your data is" +" preservation ready, including the file format(s) that they will be preserved " +"in and. Explain how you will prevent da" +"ta from being lost while processing and converting files." msgstr "" msgid "" -"

                                      Outline any ethical and legal implications " -"placed on your research data.

                                      " +"Describe what data you will be sharing, includ" +"ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" +"/span>" msgstr "" msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." +"Who will be responsible for data management du" +"ring the project (i.e., during collection, processing, analysis, documentation" +")? Identify staff and organizational roles and their responsibilities for carr" +"ying out the data management plan (DMP), including time allocations and traini" +"ng requirements." msgstr "" msgid "" -"

                                      The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

                                      CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

                                      CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

                                      " +"If applicable, what strategies will you undert" +"ake to address secondary uses of data, " +"and especially those which are sensitive in nature?" msgstr "" msgid "" -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
                                      It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." +"What types of data, metadata, and scripts will you collect, create, link to, a" +"cquire, record, or generate through the proposed research project?" msgstr "" msgid "" -"

                                      Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                      -\n" -"

                                      Once a researcher is granted access to the " -"RDC they must take an Oath of Secre" -"cy – promising never to disc" -"lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

                                      -\n" -"

                                      Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statist" -"ics Act and complies with all lega" -"l requirements. The confidential microdata for this project cannot be shared, " -"posted, or copied. Access to the data is available exclusively through Statist" -"ics Canada and the RDC program. More information on how to access data is avai" -"lable here in English or French.

                                      -\n" -"


                                      In general, research ethics clearance is not required for research conducted" -" in the RDC. A statement from the CRDCN on the topic is available here in English or French.

                                      -\n" -"

                                      Please respond to the following ethical com" -"pliance questions as they relate to your external/supplemental data. If your p" -"roject underwent research-ethics review at your institution, you can summarize" -" the submission instead of answering these questions.

                                      " +"In what file formats will your data be collected and generated? Will these for" +"mats allow for data re-use, sharing and long-term access to the data?" msgstr "" msgid "" -"

                                      In general, data collected using public fun" -"ds should be preserved for future discovery and reuse. As you develop your data sharing strategy you will want to con" -"sider the following:

                                      " +"What information will be needed for the data to be read and interpreted correc" +"tly?" msgstr "" msgid "" -"

                                      Indicate who will be working with the data " -"at various stages, and describe their responsibilities.

                                      " -======= -"dology).

                                      " +"Please identify the facilities to be used (laboratory, computer, office, clini" +"cal and other) and/or list the organizational resources available to perform t" +"he proposed research. If appropriate, indicate the capacity, pertinent capabil" +"ities, relative proximity and extent of availability of the resources to the r" +"esearch project." +msgstr "" + +msgid "What will you do to ensure portability and reproducibility of your results?" msgstr "" msgid "" -"

                                      The work conducted in the RDC for this proj" -"ect is kept based on the Contract ID provided by the RDC program which can be " -"used by anyone on the project team to retrieve the code and supporting documen" -"ts for a period of 10 years as described above in “Storage and Backup&rd" -"quo;. Raw data that is the property of Statistics Canada, i.e. RDC data, is pe" -"rmanently stored by Statistics Canada, but can never be released to the resear" -"cher. Researchers can also preserve all user-generated RDC research data that " -"meets the criteria for release through a vetting request via a repository such" -" as FRDR (though it is again emphasized that the raw RDC data cannot be shared" -"). Best practices for reproducible work require indefinite preservation of res" -"earch data (so in the case of RDC research, this means metadata, syntax, metho" -"dology). In addition to this preservation for the RDC work, the external data " -"(and related syntax, metadata and methodology) should be preserved also.

                                      " +"What will be the potential impact of the data within the immediate field and i" +"n other fields, and any broader societal impact?" msgstr "" msgid "" -"

                                      Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" +"Describe each set of research materials using the table provided. Repeat as ma" +"ny times as necessary for each new set.
                                      \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Data Source(e.g. the Archives of Ontario)
                                      If the data will be produced as part of the project, indicate this.
                                      Data Type" +"(e.g. images, recordings, manuscrip" +"ts, word processing files)
                                      Data Granularity(e.g. individual item; dataset, col" +"lection, corpus)
                                      Data Creation Methodolo" +"gy
                                      (if" +" the data are produced as part of the project)
                                      (e.g., surveys and qualita" +"tive interviews or focus groups)
                                      Data Producer
                                      Explain 1) who created the research" +" data if it is not collected data, or 2) who created an additional analytical " +"layer to existing research data.
                                      Example: In the second case, one could u" +"se a finding aid prepared by the archive or a catalog raisonné of anoth" +"er researcher.
                                      Is it sensitive data?Arc" +"hival records are generally reviewed by an archivist for privacy concerns befo" +"re being made available to researchers. In cases where the information will be" +" collected directly by the principal researcher, you should avoid disclosing a" +"ny information that could identify a living person such as ethnic origin, pers" +"onal beliefs, personal orientation, health status, etc. without permission. Fo" +"r further guidance, see the Human Research Data Risk Matrix.
                                      Analog or digital forma" +"t of research data/material during the project(e.g. print, magnetic tape, artefac" +"t, .txt, .csv, .jpeg, .nvpx, etc.)
                                      Find m" +"ore information on file formats: UBC Library or UK Data " +"Service.
                                      Does the research data" +" require long-term preservation?Research material that has heritag" +"e value or value to one or more research communities or to the public interest" +" should provide for specific actions to ensure its long-term access. If so, ex" +"plain here how long-term value is characterized.
                                      (The Preservation section provides an opportunity to reflect on all of the elements to be con" +"sidered for this dataset, including in particular the preservation format). \n" +"
                                      Will the research data" +" be shared?If not, please justify why no form" +" of sharing is possible or desirable. Sharing research materials promotes know" +"ledge development, collaborations and reduces duplication of research efforts." +"
                                      (The Sharing and Reuse section provides an opportunity to cons" +"ider all of the considerations for this dataset, particularly the disseminatio" +"n format).
                                      " msgstr "" msgid "" -"

                                      Describe and outline how and where your dat" -"a will be stored throughout the research project.

                                      " +"What documentation is required to correctly read and interpret the research da" +"ta?" msgstr "" msgid "" -"

                                      Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                      " +"

                                      Describe the storage conditions for your research data taking into account " +"the following aspects:

                                      \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Master file and backup" +" copiesFo" +"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" +"tored on 2 types of media (e.g. institutional server + external drive), and 1 " +"copy kept in an off-site location.

                                      Each storage medium has advanta" +"ges and disadvantages. If needed, consult a resource person or conta" +"ct the DMP Coordinator at support@p" +"ortagenetwork.ca. Find more information on storage and backup practices at" +" UK Data Serv" +"ice.
                                      Anticipated storage spa" +"ce(e." +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                      Anticipated storage dur" +"ation(e." +"g. for the duration of the project; 5 years after the end of the project; long" +" term = well beyond the end of the project)
                                      Is the access to this r" +"esearch data restricted? If " +"applicable, indicate what measures are being taken to manage this access (e.g." +" password protection, file encryption).
                                      Who can access the dat" +"a?De" +"scribe functional roles.

                                      To " +"make sure your research data is transmitted in a secure manner or through serv" +"ers governed by Canadian or provincial legislation, either contact your institution’s library<" +"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" +"etwork.ca.
                                      " msgstr "" msgid "" -"

                                      Outline who is responsible for the developm" -"ent and monitoring of the software/technology over the course of the study.

                                      " +"Describe the research data that requires long-term preservation by considering" +" the following aspects:

                                      \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Preservation reason(e.g. heritage value; value for one or m" +"ultiple research communities; public interest; policy requirement)
                                      Preservation formatSee recommendations of" +" the Library of Congress. Note that converting from one file format to another for p" +"reservation purposes may result in loss of information. This type of operation" +" must be mentioned in the Documenta" +"tion and Metadata section.<" +"/td> \n" +"
                                      " msgstr "" msgid "" -"

                                      Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                      -\n" -"

                                      Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

                                      The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the r" -"ecord number so that readers are able to find the data. In addition, all publi" -"cations using RDC data should include the RDC contract ID so that potential us" -"ers can find information on the original contract. This information is availab" -"le on the CRDCN website (crdcn.org/pu" -"blications).

                                      -\n" -"

                                      For your supplemental/external data, please" -" answer the following questions aimed to satisfy the FAIR principl" -"es.

                                      " +"

                                      For each research dataset reported as containing sensitive data, identify t" +"he security issues that need to be considered to protect the privacy and confi" +"dentiality within your team.

                                      " msgstr "" msgid "" -"

                                      Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                      " +"

                                      Describe each research dataset that will be shared with other researchers o" +"r a broader audience while taking into account the following considerations: \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Is it sensitive data?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Is the research data subject" +" to intellectual property?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Sharing requirementIt depen" +"ds on whether an institutional policy or the granting agency requires some for" +"m of sharing of research materials.
                                      Target audience (e.g. hi" +"story researchers, researchers from various disciplines, general public)
                                      " msgstr "" msgid "" -"

                                      Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                      -\n" -"

                                      Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" -"

                                      The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

                                      " +"For all research data management activities, consider who is responsible (indi" +"vidual or organization), based on what timeframe, whether staff training is re" +"quired, and whether there are costs associated with these tasks." msgstr "" msgid "" -"

                                      Outline the ethical and legal implications " -"placed on your research data.

                                      " +"Describe each set of research materials using the table provided. Repeat as ma" +"ny times as necessary for each new set.
                                      \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Data Source(e.g. the Archives of Ontario)
                                      If the data will be produced as part of the project, indicate this.
                                      Data Type" +"(e.g. images, recordings, manuscrip" +"ts, word processing files)
                                      Data Granularity(e.g. individual item; dataset, col" +"lection, corpus)
                                      Data Creation Methodolo" +"gy
                                      (if" +" the data are produced as part of the project)
                                      (e.g., surveys and qualita" +"tive interviews or focus groups)
                                      Data Producer
                                      Explain 1) who created the research" +" data if it is not collected data, or 2) who created an additional analytical " +"layer to existing research data.
                                      Example: In the second case, one could u" +"se a finding aid prepared by the archive or a catalog raisonné of anoth" +"er researcher.
                                      Is it sensitive data?Arc" +"hival records are generally reviewed by an archivist for privacy reasons befor" +"e being made available to researchers. In cases where the information will be " +"collected directly by the principal researcher, you should avoid disclosing an" +"y information that could identify a living person such as ethnic origin, perso" +"nal beliefs, personal orientation, health status, etc. without permission. For" +" further guidance, see the Human Research Data Risk Matrix.
                                      Analog or digital forma" +"t of research data/material during the project(e.g. print, magnetic tape, artefac" +"t, .txt, .csv, .jpeg, .nvpx, etc.)
                                      Find m" +"ore information on file formats: UBC Library or UK Data " +"Service.
                                      Does the research data" +" require long-term preservation?Research material that has heritag" +"e value or value to one or more research communities or to the public interest" +" should provide for specific actions to ensure its long-term access. If so, ex" +"plain here how long-term value is characterized.
                                      (The Preservation section provides an opportunity to reflect on all of the elements to be con" +"sidered for this dataset, including in particular the preservation format). \n" +"
                                      Will the research data" +" be shared?If not, please justify why no form" +" of sharing is possible or desirable. Sharing research materials promotes know" +"ledge development, collaborations and reduces duplication of research efforts." +"
                                      (The Sharing and Reuse section provides an opportunity to cons" +"ider all of the considerations for this dataset, particularly the disseminatio" +"n format).
                                      Will the dataset require updates?
                                      If so, make sure to properly and timely document " +"this process in the Documentation and Metadata section.
                                      " msgstr "" msgid "" -"

                                      Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

                                      " +"

                                      Describe the storage conditions for your research data taking into account " +"the following aspects:

                                      \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Master file and backup" +" copiesFo" +"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" +"tored on 2 types of media (e.g. institutional server + external drive), and 1 " +"copy kept in an off-site location.

                                      Each storage medium has advanta" +"ges and disadvantages. If needed, consult a resource person or conta" +"ct the DMP Coordinator at support@p" +"ortagenetwork.ca. Find more information on storage and backup practices at" +" UK Data Serv" +"ice.
                                      Anticipated storage spa" +"ce(e." +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                      Anticipated storage dur" +"ation(e." +"g. for the duration of the project; 5 years after the end of the project; long" +" term = well beyond the end of the project)
                                      Is the access to this r" +"esearch data restricted? If " +"applicable, indicate what measures are being taken to manage this access (e.g." +" password protection, file encryption).
                                      Who can access the dat" +"a?De" +"scribe functional roles.

                                      To " +"make sure your research data is transmitted in a secure manner or through serv" +"ers governed by Canadian or provincial legislation, either contact your institution’s library<" +"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" +"etwork.ca.
                                      \n" +"



                                      " msgstr "" msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." +"

                                      For each research dataset reported as containing sensitive data (see Resear" +"ch Data Collection section), explain how this data will be safely mana" +"ged to protect the privacy and confidentiality within your team.

                                      " msgstr "" msgid "" -"

                                      The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

                                      CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

                                      CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

                                      -\n" -"

                                      Researchers should consider how to manage t" -"heir external research data and should think about who on the project team wil" -"l have responsibility for managing the research data and what resources might " -"be required to do so. Where possible, the research data from within the RDC sh" -"ould be managed in a way that is coordinated with the external research data m" -"anagement.

                                      In addition to the data management employed by Statistic" -"s Canada, it is possible for researchers to have research output that does not" -" contain confidential data, including tables, syntax and other information, re" -"leased from the RDC where it could be curated in a repository of the researche" -"r’s choosing as described in the Preservation section. If you plan to do" -" any supplemental storage or curation of your research data (either the user-g" -"enerated research data from the RDC or the external/supplemental data), please" -" comment on where the responsibility for curation and maintenance of this arch" -"ive resides.

                                      " +"

                                      Describe each research dataset that will be shared with other researchers o" +"r a broader audience while taking into account the following considerations: \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" " +"\n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      Is it sensitive data?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Is the research data subject" +" to intellectual property?If so, e" +"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Sharing requirementIt depen" +"ds on whether an institutional policy or the granting agency requires some for" +"m of sharing of research materials.
                                      Target audience (e.g. hi" +"story researchers, researchers from various disciplines, general public)
                                      Data processing level Describe in what forma" +"t the data is shared, i.e. raw, processed, analyzed, or final, or whether only" +" metadata can be shared. These processi" +"ng level options are not mutually exclusive.
                                      \n" +"
                                        \n" +"
                                      • Raw: data obtained directly from the field or an interview.
                                      • " +"\n" +"
                                      • Processed: operations performed to make data ready for analysis or to de" +"-identify individuals.
                                      • \n" +"
                                      • Analyzed: data resulting from a qualitative or quantitative analysis fol" +"lowing a methodology and a conceptual framework.
                                      • \n" +"
                                      • Final: research data prepared for its preservation.
                                      • \n" +"
                                      • Metadata: information describing research data.
                                      • \n" +"
                                      \n" +"
                                      User licenceThe holder of the rese" +"arch data intellectual property should grant a licence that clarifies how the " +"research data may be used. The most commonly used licences are Creative" +" Commons licences and Open" +" Data Commons licences. Please note" +" that once a licence is granted, even if it is subsequently changed, the use o" +"f data obtained under the former licence cannot be prevented.
                                      Required softwareIf applicable, indicat" +"e the name and version of the software required to access research data.
                                      " msgstr "" msgid "" -"

                                      Outline any ethical and legal implications " -"placed on your research data.

                                      " +"Which RDC datasets will be used in the researc" +"h?" msgstr "" msgid "" -"

                                      The CRDCN and Statistics Canada will mainta" -"in the research data even if the researcher leaves their organization.<" -"/p> -\n" -"

                                      CRDCN enjoys the support of CIHR, SSHRC and" -" CFI as well as receiving funds from the partner universities. There is no cha" -"rge to the users of the RDCs for the data management conducted under the auspi" -"ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" -"

                                      CRDCN does not employ consistency checking " -"to ensure that the code provided alongside requests for research results to be" -" released from the secure facility truly creates the output as requested. The " -"responsibility for ensuring that the code and documents describing their use w" -"ork as intended and are clear to other users who might access them lies with t" -"he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" -"s saved alongside all of the research output used to support the conclusions o" -"f any published works.

                                      " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"What will you do to ensure that your research " +"data contributions (syntax, output etc…) in your RDC project folder and" +" (if applicable) your external analysis are properly documented, organized and" +" accessible? " msgstr "" msgid "" -"

                                      Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                      -\n" -"

                                      Once a researcher is granted access to the " -<<<<<<< HEAD -"RDC they must take an Oath of Secrecy – promising never to disclose conf" -"idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

                                      -\n" -"

                                      Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statistics Act and complies with all legal require" -"ments. The confidential microdata for this project cannot be shared, posted, o" -"r copied. Access to the data is available through the RDC program. More inform" -"ation on how to access data is available here in English or French.

                                      -\n" -"

                                      In general, research ethics clearance is no" -"t required for research conducted in the RDC. A statement from the CRDCN on th" -"e topic is available here in English or French.

                                      " +"What are the anticipated storage requirements " +"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" +"s, etc.) and the length of time you will be storing it?" msgstr "" msgid "" -"

                                      Provide information about how you will make" -" your data available and/or discoverable to the broader community.

                                      " -msgstr "" - -msgid "What types of data will you collect, create, link to, acquire and/or record?" +"Will you deposit your syntax and other researc" +"h data in a repository to preserve your files? Please describe your intended p" +"reservation of all research data here, noting how you will deal with any priva" +"cy concerns related to your supplemental/external data:" msgstr "" msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future?" +"

                                      Outside of the data sharing/reuse that happ" +"ens automatically within your project folder, what data will you be sharing, w" +"here, and in what form (e.g. raw, processed, analyzed, final)?

                                      " msgstr "" msgid "" -"What are the anticipated storage requirements for your project, in terms of st" -"orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " -"you will be storing it?" +"For the supplemental/external data, identify who will be responsible for managing thi" +"s project's data during and after the project and the major data management ta" +"sks for which they will be responsible." msgstr "" msgid "" -"Where will you deposit your data for long-term preservation and access at the " -"end of your research project?" +"If your research project includes sensitive da" +"ta, how will you ensure that it is securely managed and accessible only to app" +"roved members of the project?" msgstr "" -msgid "" -"What data will you be sharing and in what form? (e.g. raw, processed, analyzed" -", final)." +msgid "Why are you collecting or generating your data?" msgstr "" -msgid "" -"Identify who will be responsible for managing this project's data during and a" -"fter the project and the major data management tasks for which they will be re" -"sponsible." +msgid "Does your project include sensitive data?" msgstr "" msgid "" -"If your research project includes sensitive data, how will you ensure that it " -"is securely managed and accessible only to approved members of the project?" +"What file formats will your data be in? Will these formats allow for data re-u" +"se, sharing and long-term access to the data? If not, how will you convert the" +"se into interoperable formats?" msgstr "" msgid "" -"What types of data will you be collecting?" +"Who will be responsible for managing this project's data during and after the " +"project, and for what major data management tasks will they be responsible?" msgstr "" msgid "" -"How will you document the changes you make to " -"your data on a regular basis?" +"Do you, your institution or collaborators have an existing data sharing strate" +"gy?" msgstr "" msgid "" -"What information about your research would som" -"eone need to know to reuse or interpret your data?" +"

                                      What types of data will you collect, create, link to, acquire and/or record" +" in each of the different stages of the systematic review?

                                      " msgstr "" msgid "" -"What are the storage requirements needed for y" -"our data?" +"Where will you deposit your data for long-term preservation and sharing at the" +" end of your research project?" msgstr "" -msgid "" -"Where will data be stored after the p" -"roject is complete?" +msgid "What type(s) of data will be produced and in what format(s)?" msgstr "" -msgid "" -======= -"RDC they must take an
                                      Oath of Secre" -"cy – promising never to disc" -"lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

                                      -\n" -"

                                      Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statist" -"ics Act and complies with all lega" -"l requirements. The confidential microdata for this project cannot be shared, " -"posted, or copied. Access to the data is available exclusively through Statist" -"ics Canada and the RDC program. More information on how to access data is avai" -"lable here in English or French.

                                      -\n" -"


                                      In general, research ethics clearance is not required for research conducted" -" in the RDC. A statement from the CRDCN on the topic is available here in English or French.

                                      -\n" -"

                                      Please respond to the following ethical com" -"pliance questions as they relate to your external/supplemental data. If your p" -"roject underwent research-ethics review at your institution, you can summarize" -" the submission instead of answering these questions.

                                      " +msgid "What data will you be sharing and in what form?" msgstr "" msgid "" -"

                                      In general, data collected using public fun" -"ds should be preserved for future discovery and reuse. As you develop your data sharing strategy you will want to con" -"sider the following:

                                      " +"Are there any ethical or legal concerns related to your data that you will nee" +"d to address? Are there any ownership or intellectual property concerns that c" +"ould limit if/how you can share your research outputs?" msgstr "" msgid "" -"

                                      Indicate who will be working with the data " -"at various stages, and describe their responsibilities.

                                      " +"Identify who will be responsible for managing data during and after the projec" +"t. Indicate the major data management tasks for which they will be responsible" +"." msgstr "" msgid "" -"

                                      Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                      -\n" -"

                                      Once a researcher is granted access to the " -"RDC they must take an Oath of Secrecy – promising never to disclose conf" -"idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

                                      -\n" -"

                                      Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statistics Act and complies with all legal require" -"ments. The confidential microdata for this project cannot be shared, posted, o" -"r copied. Access to the data is available through the RDC program. More inform" -"ation on how to access data is available here in English or French.

                                      -\n" -"

                                      In general, research ethics clearance is no" -"t required for research conducted in the RDC. A statement from the CRDCN on th" -"e topic is available here in English or French.

                                      " +"Who will be responsible for data management? Will the Principal Investigator (" +"PI) hold all responsibility during and beyond the project, or will this be div" +"ided among a team or partner organizations?" msgstr "" msgid "" -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
                                      It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." +"What support material and documentation (e.g. ReadMe) will your team members a" +"nd future researchers need in order to navigate and reuse your data without am" +"biguity?" msgstr "" msgid "" -"

                                      Provide information about how you will make" -" your data available and/or discoverable to the broader community.

                                      " -msgstr "" - -msgid "What types of data will you collect, create, link to, acquire and/or record?" +"List your anticipated storage needs (e.g., hard drives, cloud storage, shared " +"drives). List how long you intend to use each type and what capacities you may" +" require." msgstr "" msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future?" +"How will your data (both raw and cleaned) be made accessible beyond the scope " +"of the project and by researchers outside your team?" msgstr "" msgid "" -"What are the anticipated storage requirements for your project, in terms of st" -"orage space (in megabytes, gigabytes, terabytes, etc.) and the length of time " -"you will be storing it?" +"

                                      Are there institutional, governmental or legal policies that you need to co" +"mply with in regards to your data standards?

                                      " msgstr "" msgid "" -"Where will you deposit your data for long-term preservation and access at the " -"end of your research project?" +"

                                      Describe the types of data, and potential data sources, to be acquired duri" +"ng the course of your study.

                                      " msgstr "" msgid "" -"What data will you be sharing and in what form? (e.g. raw, processed, analyzed" -", final)." +"How will you document your methods in order to" +" support reproducibility?" msgstr "" msgid "" -"Identify who will be responsible for managing this project's data during and a" -"fter the project and the major data management tasks for which they will be re" -"sponsible." +"How and where will your data be stored and bac" +"ked up during your research project? " msgstr "" msgid "" -"If your research project includes sensitive data, how will you ensure that it " -"is securely managed and accessible only to approved members of the project?" +"How will you store and retain your data after " +"the active phase of data collection? For how long will you need to keep your d" +"ata?" msgstr "" msgid "" -"What types of data will you be collecting?" +"How will you share data from this study with t" +"he scientific community? How open can you make it? Describe whether you plan t" +"o share your data publicly, make it available in a repository with restricted " +"access, or offer it by request only." msgstr "" msgid "" -"How will you document the changes you make to " -"your data on a regular basis?" +"Identify who will be responsible for managing " +"this project's data during and after the project and the major data management" +" tasks for which they will be responsible." msgstr "" msgid "" -"What information about your research would som" -"eone need to know to reuse or interpret your data?" +"

                                      Please provide the name and a web link for " +"the research ethics board (REB) that is responsible for reviewing and overseei" +"ng the legal and ethical compliance of this study. Give the file identifier of" +" the REB application.

                                      " msgstr "" msgid "" -"What are the storage requirements needed for y" -"our data?" +"Give details about the sources of data, equipm" +"ent used, and data formats produced for your project. " msgstr "" msgid "" -"Where will data be stored after the p" -"roject is complete?" +"What documentation will be needed for the data to be read and interpreted corr" +"ectly in the future? Document key details of methods pertaining to data and me" +"tadata here." msgstr "" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"How is the informed consent process carried ou" -"t in your study? " +"What form of encryption is used, if any, with " +"data transfer and data storage? " msgstr "" msgid "" -"What financial resources will you require for " -"data management in this study?" +"What data will be preserved for the long-term?" +"" msgstr "" msgid "" -"Who are the likely users/benefitters of your d" -"ata?" +"What data will you be sharing and in what form" +"? (e.g. raw, processed, analyzed, final)" msgstr "" msgid "" -"What software/technology will be created in th" -"is study?" +"Describe your succession plan, indicating the " +"procedures to be followed and the actions to be taken to ensure the continuati" +"on of the data management if significant changes in personnel occur. " msgstr "" msgid "" -"What information would be required for someone" -" to understand and reuse your software/technology?" +"If human imaging data are acquired, how will t" +"he data be anonymized? Will any defacing techniques be used?" msgstr "" msgid "" -"How will the software/technology be updated an" -"d maintained over time?" +"What will you do to ensure that your research data contributions (syntax, outp" +"ut etc…) in your RDC project folder and (if applicable) your external a" +"nalysis are properly documented, organized and accessible?" msgstr "" msgid "" -"Who will own the copyright to the software/tec" -"hnology?" +"Will you deposit your syntax and other researc" +"h data in a repository to host your syntax files publicly? If so, please descr" +"ibe here:" msgstr "" msgid "" -"Who will have access to your software/technolo" -"gy throughout the project? Describe each collaborator’s responsibilities" -" in relation to having access to the data." +"If you feel there are any additional sharing a" +"nd reuse concerns related to your project please describe them here:" msgstr "" msgid "" -"Who are the intended users of your software/te" -"chnology?" +"

                                      In addition to the data management employed" +" by Statistics Canada, it is possible for researchers to have research output " +"that does not contain confidential data, including tables, syntax and other in" +"formation, released from the RDC where it could be curated in a repository of " +"the researcher’s choosing as described in question 5. If you plan to do " +"any supplemental storage or curation of your research data, please comment on " +"where the responsibility for curation and maintenance of the archive resides.<" +"/span>

                                      \n" +"

                                      Will any resources be required for this curation and maintenance? If so, pl" +"ease estimate the overall data management costs.

                                      " msgstr "" msgid "" -"How will you document the changes you make to " -"your data on a regular basis during the data analysis phase?" +"If you feel there are any additional legal or " +"ethical requirements for your project please describe them here." msgstr "" -msgid "" -"What information would be required for someone" -" else to understand and reuse your data?" +msgid "test area" msgstr "" msgid "" -"How will the informed consent process be carri" -"ed out within your study?" +"What file formats will your data be collected in? Will these formats allow for" +" data re-use, sharing and long-term access to the data?" msgstr "" msgid "" -"Who are the intended users of your data?" +"How will you make sure that documentation is created or captured consistently " +"throughout your project?" msgstr "" msgid "" -"What types of data will you create and/or collect? What methods, arts-based an" -"d otherwise, will you use?" +"How and where will your data be stored and backed up during your research proj" +"ect?" msgstr "" msgid "" -"What metadata will you create to ensure your data can be interpreted and reuse" -"d in the future?" +"Indicate how you will ensure your data is preservation ready. Consider preserv" +"ation-friendly file formats, ensuring file integrity, anonymization and de-ide" +"ntification, inclusion of supporting documentation." msgstr "" -msgid "" -"How much storage space will you need for digital data during your project? How" -" long will you store them?" +msgid "Have you considered what type of end-user license to include with your data?" msgstr "" -msgid "What are your preservation needs for your digital data?" +msgid "" +"How will responsibilities for managing data activities be handled if substanti" +"ve changes happen in the personnel overseeing the project's data, including a " +"change of Principal Investigator?" msgstr "" -msgid "What types of data will you share and in what form?" +msgid "" +"If applicable, what strategies will you undertake to address secondary uses of" +" sensitive data?" msgstr "" msgid "" -"Who will be responsible for research data management during and after your pro" -"ject? What will their tasks be?" +"Will you be using any existing data from exter" +"nal sources or previous research?" msgstr "" msgid "" -"Are there policies that outline requirements and/or best practices pertaining " -"to your research data management?" +"What software will you be using to support you" +"r data analysis?" msgstr "" msgid "" -"Are there any research data management policie" -"s in place that outline requirements and/or best practice guidance regarding t" -"he management of your data? If so, provide details and, if helpful, URL links " -"to these policies. " +"Are there metadata standards which you could u" +"se to describe your data?" msgstr "" msgid "" -"Describe the type(s) of data that you will collect, including all survey, inte" -"rview and/or focus group data. If there are any additional types of data that " -"will be collected or generated describe these as well." +"Where will your data be stored during the data collection phase?" msgstr "" msgid "" -"Describe any documentation and metadata that will be used in order to ensure t" -"hat data are able to be read and understood both during the active phases of t" -"he project and in the future." +"Who is responsible for managing the data after" +" the study is complete?" msgstr "" msgid "" -"Describe where, how, and for how long data wil" -"l be securely stored during the act" -"ive phases of the research project" -". If any data are to be collected through the use of electronic platforms, acc" -"ount for their usage within your data storage description. Include a descripti" -"on of any policies and procedures that will be in place to ensure that data ar" -"e regularly backed-up." +"Who holds the intellectual property rights to " +"your data?" msgstr "" msgid "" -"Describe how you will ensure that your data is" -" preservation ready, including the file format(s) that they will be preserved " -"in and. Explain how you will prevent da" -"ta from being lost while processing and converting files." +"Who is the main contact and steward for the da" +"ta collected in this study?" msgstr "" msgid "" -"Describe what data you will be sharing, includ" -"ing which version(s) (e.g., raw, processed, analyzed) and in what format(s). <" -"/span>" +"What data can/will be shared at the end of the" +" study?" msgstr "" msgid "" -"Who will be responsible for data management du" -"ring the project (i.e., during collection, processing, analysis, documentation" -")? Identify staff and organizational roles and their responsibilities for carr" -"ying out the data management plan (DMP), including time allocations and traini" -"ng requirements." +"What software/technology development framework" +" or model will be used, if any?" msgstr "" msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of data, " -"and especially those which are sensitive in nature?" +"What documentation will you develop to help ot" +"hers write and run tests on your software/technology?" msgstr "" msgid "" -"What types of data, metadata, and scripts will you collect, create, link to, a" -"cquire, record, or generate through the proposed research project?" +"Describe the level of risk associated with the" +" use of public web services/infrastructure/databases regarding their stability" +" and sustainability." msgstr "" msgid "" -"In what file formats will your data be collected and generated? Will these for" -"mats allow for data re-use, sharing and long-term access to the data?" +"What software/technology license will you choo" +"se?" msgstr "" msgid "" -"What information will be needed for the data to be read and interpreted correc" -"tly?" +"Who is responsible for reviewing and accepting" +" each software/technology release?" msgstr "" msgid "" -"Please identify the facilities to be used (laboratory, computer, office, clini" -"cal and other) and/or list the organizational resources available to perform t" -"he proposed research. If appropriate, indicate the capacity, pertinent capabil" -"ities, relative proximity and extent of availability of the resources to the r" -"esearch project." +"What software/technology will be shared at the" +" end of the study?" msgstr "" -msgid "What will you do to ensure portability and reproducibility of your results?" +msgid "" +"What data will be shared at the end of the stu" +"dy?" msgstr "" msgid "" -"What will be the potential impact of the data within the immediate field and i" -"n other fields, and any broader societal impact?" +"Do you plan to use datasets published by others? Where will you collect them f" +"rom?" +msgstr "" + +msgid "What metadata standard will you use?" +msgstr "" + +msgid "How and where will you store and back up digital data during your project?" +msgstr "" + +msgid "Where will you preserve your research data for the long-term, if needed?" msgstr "" msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
                                      -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Data Source(e.g. the Archives of Ontario)
                                      If the data will be produced as part of the project, indicate this.
                                      Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
                                      Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
                                      Data Creation Methodolo" -"gy
                                      (if" -" the data are produced as part of the project)
                                      (e.g., surveys and qualita" -"tive interviews or focus groups)
                                      Data Producer
                                      Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
                                      Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
                                      Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy concerns befo" -"re being made available to researchers. In cases where the information will be" -" collected directly by the principal researcher, you should avoid disclosing a" -"ny information that could identify a living person such as ethnic origin, pers" -"onal beliefs, personal orientation, health status, etc. without permission. Fo" -"r further guidance, see the Human Research Data Risk Matrix.
                                      Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
                                      Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
                                      Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
                                      (The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format). -\n" -"
                                      Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
                                      (The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
                                      " +"Will you need to share some data with restricted access? What restrictions wil" +"l you apply?" msgstr "" msgid "" -"What documentation is required to correctly read and interpret the research da" -"ta?" +"If responsibility for research data management needs to be transferred to othe" +"r individuals or organizations, who will assume responsibility and how?" msgstr "" msgid "" -"

                                      Describe the storage conditions for your research data taking into account " -"the following aspects:

                                      -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Master file and backup" -" copiesFo" -"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" -"tored on 2 types of media (e.g. institutional server + external drive), and 1 " -"copy kept in an off-site location.

                                      Each storage medium has advanta" -"ges and disadvantages. If needed, consult a resource person or conta" -"ct the DMP Coordinator at support@p" -"ortagenetwork.ca. Find more information on storage and backup practices at" -" UK Data Serv" -"ice.
                                      Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                      Anticipated storage dur" -"ation(e." -"g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
                                      Is the access to this r" -"esearch data restricted? If " -"applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
                                      Who can access the dat" -"a?De" -"scribe functional roles.

                                      To " -"make sure your research data is transmitted in a secure manner or through serv" -"ers governed by Canadian or provincial legislation, either contact your institution’s library<" -"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
                                      " +"What ethical and legal issues will affect your data? How will you address them" +"?" msgstr "" msgid "" -"Describe the research data that requires long-term preservation by considering" -" the following aspects:

                                      -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Preservation reason(e.g. heritage value; value for one or m" -"ultiple research communities; public interest; policy requirement)
                                      Preservation formatSee recommendations of" -" the Library of Congress. Note that converting from one file format to another for p" -"reservation purposes may result in loss of information. This type of operation" -" must be mentioned in the Documenta" -"tion and Metadata section.<" -"/td> -\n" -"
                                      " +"Are there any existing data that you can re-use and that will provide insight " +"or answer any of your research questions? If so, please explain how you will o" +"btain these data and integrate them into your research project." msgstr "" msgid "" -"

                                      For each research dataset reported as containing sensitive data, identify t" -"he security issues that need to be considered to protect the privacy and confi" -"dentiality within your team.

                                      " +"Describe the file naming conventions that will be used in order to support qua" +"lity assurance and version-control of your files and to help others understand" +" how your data are organized." msgstr "" msgid "" -"

                                      Describe each research dataset that will be shared with other researchers o" -"r a broader audience while taking into account the following considerations: -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Is it sensitive data?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Is the research data subject" -" to intellectual property?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Sharing requirementIt depen" -"ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
                                      Target audience (e.g. hi" -"story researchers, researchers from various disciplines, general public)
                                      " +"Describe how members of the research team will" +" securely access and work with data during the active phases of the research p" +"roject. " msgstr "" msgid "" -"For all research data management activities, consider who is responsible (indi" -"vidual or organization), based on what timeframe, whether staff training is re" -"quired, and whether there are costs associated with these tasks." +"Describe where you will preserve your data for" +" long-term preservation, including any research data repositories that you may" +" be considering to use. If there are any costs associated with the preservatio" +"n of your data, include those details." msgstr "" msgid "" -"Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
                                      -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Data Source(e.g. the Archives of Ontario)
                                      If the data will be produced as part of the project, indicate this.
                                      Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
                                      Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
                                      Data Creation Methodolo" -"gy
                                      (if" -" the data are produced as part of the project)
                                      (e.g., surveys and qualita" -"tive interviews or focus groups)
                                      Data Producer
                                      Explain 1) who created the research" -" data if it is not collected data, or 2) who created an additional analytical " -"layer to existing research data.
                                      Example: In the second case, one could u" -"se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
                                      Is it sensitive data?Arc" -"hival records are generally reviewed by an archivist for privacy reasons befor" -"e being made available to researchers. In cases where the information will be " -"collected directly by the principal researcher, you should avoid disclosing an" -"y information that could identify a living person such as ethnic origin, perso" -"nal beliefs, personal orientation, health status, etc. without permission. For" -" further guidance, see the Human Research Data Risk Matrix.
                                      Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" -"t, .txt, .csv, .jpeg, .nvpx, etc.)
                                      Find m" -"ore information on file formats: UBC Library or UK Data " -"Service.
                                      Does the research data" -" require long-term preservation?Research material that has heritag" -"e value or value to one or more research communities or to the public interest" -" should provide for specific actions to ensure its long-term access. If so, ex" -"plain here how long-term value is characterized.
                                      (The Preservation section provides an opportunity to reflect on all of the elements to be con" -"sidered for this dataset, including in particular the preservation format). -\n" -"
                                      Will the research data" -" be shared?If not, please justify why no form" -" of sharing is possible or desirable. Sharing research materials promotes know" -"ledge development, collaborations and reduces duplication of research efforts." -"
                                      (The Sharing and Reuse section provides an opportunity to cons" -"ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
                                      Will the dataset require updates?
                                      If so, make sure to properly and timely document " -"this process in the Documentation and Metadata section.
                                      " +"Describe whether there will be any restriction" +"s placed on your data when they are made available and who may access them. If" +" data are not openly available, describe the process for gaining access" +"." msgstr "" msgid "" -"

                                      Describe the storage conditions for your research data taking into account " -"the following aspects:

                                      -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Master file and backup" -" copiesFo" -"llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" -"tored on 2 types of media (e.g. institutional server + external drive), and 1 " -"copy kept in an off-site location.

                                      Each storage medium has advanta" -"ges and disadvantages. If needed, consult a resource person or conta" -"ct the DMP Coordinator at support@p" -"ortagenetwork.ca. Find more information on storage and backup practices at" -" UK Data Serv" -"ice.
                                      Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                      Anticipated storage dur" -"ation(e." -"g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
                                      Is the access to this r" -"esearch data restricted? If " -"applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
                                      Who can access the dat" -"a?De" -"scribe functional roles.

                                      To " -"make sure your research data is transmitted in a secure manner or through serv" -"ers governed by Canadian or provincial legislation, either contact your institution’s library<" -"span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
                                      -\n" -"



                                      " +"How will responsibilities for managing data ac" +"tivities be handled if substantive changes happen in the personnel overseeing " +"the project's data, including a change of Principal Investigator?" msgstr "" msgid "" -"

                                      For each research dataset reported as containing sensitive data (see Resear" -"ch Data Collection section), explain how this data will be safely mana" -"ged to protect the privacy and confidentiality within your team.

                                      " +"How will you manage legal, ethical, and intell" +"ectual property issues?" msgstr "" msgid "" -"

                                      Describe each research dataset that will be shared with other researchers o" -"r a broader audience while taking into account the following considerations: -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -" -"\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      Is it sensitive data?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Is the research data subject" -" to intellectual property?If so, e" -"xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                      Sharing requirementIt depen" -"ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
                                      Target audience (e.g. hi" -"story researchers, researchers from various disciplines, general public)
                                      Data processing level Describe in what forma" -"t the data is shared, i.e. raw, processed, analyzed, or final, or whether only" -" metadata can be shared. These processi" -"ng level options are not mutually exclusive.
                                      -\n" -"
                                        -\n" -"
                                      • Raw: data obtained directly from the field or an interview.
                                      • -" -"\n" -"
                                      • Processed: operations performed to make data ready for analysis or to de" -"-identify individuals.
                                      • -\n" -"
                                      • Analyzed: data resulting from a qualitative or quantitative analysis fol" -"lowing a methodology and a conceptual framework.
                                      • -\n" -"
                                      • Final: research data prepared for its preservation.
                                      • -\n" -"
                                      • Metadata: information describing research data.
                                      • -\n" -"
                                      -\n" -"
                                      User licenceThe holder of the rese" -"arch data intellectual property should grant a licence that clarifies how the " -"research data may be used. The most commonly used licences are Creative" -" Commons licences and Open" -" Data Commons licences. Please note" -" that once a licence is granted, even if it is subsequently changed, the use o" -"f data obtained under the former licence cannot be prevented.
                                      Required softwareIf applicable, indicat" -"e the name and version of the software required to access research data.
                                      " +"If you are using a metadata standard and/or tools to document and describe you" +"r data, please list them here. Explain the rationale for the selection of thes" +"e standards." msgstr "" msgid "" -"Which RDC datasets will be used in the researc" -"h?" +"What will be the primary production computing platform(s) (e.g., compute clust" +"ers, virtual clusters)?" msgstr "" msgid "" -"What will you do to ensure that your research " -"data contributions (syntax, output etc…) in your RDC project folder and" -" (if applicable) your external analysis are properly documented, organized and" -" accessible? " +"If your project includes sensitive data, how will you ensure that it is secure" +"ly managed and accessible only to approved members of the project?" msgstr "" msgid "" -"What are the anticipated storage requirements " -"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" -"s, etc.) and the length of time you will be storing it?" +"Explain how the research data will be organized to facilitate understanding of" +" its organization." msgstr "" msgid "" -"Will you deposit your syntax and other researc" -"h data in a repository to preserve your files? Please describe your intended p" -"reservation of all research data here, noting how you will deal with any priva" -"cy concerns related to your supplemental/external data:" +"What is the total cost for storage space in the active and semi-active phase o" +"f the project?" msgstr "" msgid "" -"

                                      Outside of the data sharing/reuse that happ" -"ens automatically within your project folder, what data will you be sharing, w" -"here, and in what form (e.g. raw, processed, analyzed, final)?

                                      " +"

                                      Where will the research data be stored at the end of the research project?<" +"/p>" msgstr "" msgid "" -"For the supplemental/external data, identify who will be responsible for managing thi" -"s project's data during and after the project and the major data management ta" -"sks for which they will be responsible." +"If research data sharing is desired and possible, what difficulties do you ant" +"icipate in dealing with the secondary use of sensitive data?" msgstr "" msgid "" -"If your research project includes sensitive da" -"ta, how will you ensure that it is securely managed and accessible only to app" -"roved members of the project?" +"Décrire la stratégie de diffusion envisagée pour faire co" +"nnaître l’existence du matériel de recherche auprès " +"de ses publics." msgstr "" -msgid "Why are you collecting or generating your data?" +msgid "What is an overall cost estimate for the management of research materials?" msgstr "" -msgid "Does your project include sensitive data?" +msgid "" +"What documentation strategy will enable you to regularly document the research" +" data throughout the project?" msgstr "" msgid "" -"What file formats will your data be in? Will these formats allow for data re-u" -"se, sharing and long-term access to the data? If not, how will you convert the" -"se into interoperable formats?" +"If research data sharing is desired and possible, what strategies will" +" you implement to address the secondary use of sensitive data?" msgstr "" msgid "" -"Who will be responsible for managing this project's data during and after the " -"project, and for what major data management tasks will they be responsible?" +"Describe the proposed dissemination strategy to communicate the existence of t" +"he research data to its target audiences." msgstr "" -msgid "" -"Do you, your institution or collaborators have an existing data sharing strate" -"gy?" +msgid "Describe your succession plan to deal with significant disruptions." msgstr "" msgid "" -"

                                      What types of data will you collect, create, link to, acquire and/or record" -" in each of the different stages of the systematic review?

                                      " +"Please describe the collection process for the" +" supplemental or external data that will be part of your project." msgstr "" msgid "" -"Where will you deposit your data for long-term preservation and sharing at the" -" end of your research project?" +"How will you make sure that the syntax archive" +"d in your project folder (and if applicable that created for your external ana" +"lysis) is created consistently throughout your project?" msgstr "" -msgid "What type(s) of data will be produced and in what format(s)?" +msgid "" +"How and where will your data be stored and bac" +"ked up during your research project?" msgstr "" -msgid "What data will you be sharing and in what form?" +msgid "" +"What type of end-user license will these share" +"d data fall under?" msgstr "" msgid "" -"Are there any ethical or legal concerns related to your data that you will nee" -"d to address? Are there any ownership or intellectual property concerns that c" -"ould limit if/how you can share your research outputs?" +"For the supplemental/external data, how will r" +"esponsibilities for managing data activities be handled if substantive changes" +" happen in the personnel overseeing the project's data, including a change of " +"Principal Investigator?" msgstr "" msgid "" -"Identify who will be responsible for managing data during and after the projec" -"t. Indicate the major data management tasks for which they will be responsible" -"." +"If applicable, what strategies will you undert" +"ake to address secondary uses of sensitive data?" msgstr "" msgid "" -"Who will be responsible for data management? Will the Principal Investigator (" -"PI) hold all responsibility during and beyond the project, or will this be div" -"ided among a team or partner organizations?" +"What types of data will you collect, create, link to, acquire and/or record? P" +"lease be specific, including:" msgstr "" msgid "" -"What support material and documentation (e.g. ReadMe) will your team members a" -"nd future researchers need in order to navigate and reuse your data without am" -"biguity?" +"

                                      What conventions and procedures will you use to structure, name and version" +"-control your files to help you and others better understand how your data are" +" organized?

                                      " msgstr "" -msgid "" -"List your anticipated storage needs (e.g., hard drives, cloud storage, shared " -"drives). List how long you intend to use each type and what capacities you may" -" require." +msgid "

                                      How will you describe samples collected?

                                      " msgstr "" msgid "" -"How will your data (both raw and cleaned) be made accessible beyond the scope " -"of the project and by researchers outside your team?" +"

                                      How and where will your data be stored and backed up during your research p" +"roject?

                                      " +msgstr "" + +msgid "Are there restrictions on sharing due to ethics or legal constraints?" msgstr "" msgid "" -"

                                      Are there institutional, governmental or legal policies that you need to co" -"mply with in regards to your data standards?

                                      " +"

                                      What file formats will your data be collected in? Will these formats allow " +"for data re-use, sharing and long-term access to the data?

                                      " msgstr "" msgid "" -"

                                      Describe the types of data, and potential data sources, to be acquired duri" -"ng the course of your study.

                                      " +"Indicate how you will ensure your data is preservation ready. Consider preserv" +"ation-friendly file formats, file integrity, and the inclusion of supporting d" +"ocumentation." msgstr "" msgid "" -"How will you document your methods in order to" -" support reproducibility?" +"Does this project involve the use or analysis of secondary data? What is the d" +"ata-sharing arrangement for these data?" msgstr "" msgid "" -"How and where will your data be stored and bac" -"ked up during your research project? " +"How will you make sure that documentation is created or captured consistently " +"throughout your project? What approaches will be employed by the research team" +" to access, modify, and contribute data throughout the project?" msgstr "" msgid "" -"How will you store and retain your data after " -"the active phase of data collection? For how long will you need to keep your d" -"ata?" +"What steps will be taken to help the research community know that your researc" +"h data exist?" msgstr "" msgid "" -"How will you share data from this study with t" -"he scientific community? How open can you make it? Describe whether you plan t" -"o share your data publicly, make it available in a repository with restricted " -"access, or offer it by request only." +"In the event that the PI leaves the project, who will replace them? Who will t" +"ake temporary responsibility until a new PI takes over?" msgstr "" msgid "" -"Identify who will be responsible for managing " -"this project's data during and after the project and the major data management" -" tasks for which they will be responsible." +"Answer the following regarding file formats:
                                      \n" +"
                                        \n" +"
                                      1. What file formats do you expect to collect" +" (e.g. .doc, .csv, .jpg, .mov)?
                                      2. \n" +"
                                      3. Are these file formats easy to share with " +"other researchers from different disciplines?
                                      4. \n" +"
                                      5. In the event that one of your chosen file " +"formats becomes obsolete (or is no longer supported) how will you ensure acces" +"s to the research data?
                                      6. \n" +"
                                      7. Does your data need to be copied to a new " +"media or cloud platform, or converted to a different file format when you stor" +"e or publish your datasets?
                                      8. \n" +"
                                      " msgstr "" msgid "" -"

                                      Please provide the name and a web link for " -"the research ethics board (REB) that is responsible for reviewing and overseei" -"ng the legal and ethical compliance of this study. Give the file identifier of" -" the REB application.

                                      " +"How will you undertake documentation of data collection, processing and analys" +"is, within your workflow to create consistent support material? Who will be re" +"sponsible for this task?" msgstr "" msgid "" -"Give details about the sources of data, equipm" -"ent used, and data formats produced for your project. " +"What is your anticipated backup and storage schedule? How often will you save " +"your data, in what formats, and where?" msgstr "" msgid "" -"What documentation will be needed for the data to be read and interpreted corr" -"ectly in the future? Document key details of methods pertaining to data and me" -"tadata here." +"Is digital preservation a component of your pr" +"oject and do you need to plan for long-term archiving and preservation?" msgstr "" msgid "" -"What form of encryption is used, if any, with " -"data transfer and data storage? " +"Will you encounter protected or personally-identifiable information in your re" +"search? If so, how will you make sure it stays secure and is accessed by appro" +"ved team members only?" msgstr "" msgid "" -"What data will be preserved for the long-term?" -"" +"What are the anticipated storage requirements " +"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" +"s, etc.)?" msgstr "" msgid "" -"What data will you be sharing and in what form" -"? (e.g. raw, processed, analyzed, final)" +"If the project includes sensitive data, how wi" +"ll you ensure that it is securely managed and accessible only to approved memb" +"ers of the project?" msgstr "" msgid "" -"Describe your succession plan, indicating the " -"procedures to be followed and the actions to be taken to ensure the continuati" -"on of the data management if significant changes in personnel occur. " +"What conventions, methods, and standards will " +"be used to structure, name and version-control your files to help you and othe" +"rs better understand how your data are organized? In other words, what types o" +"f metadata are being stored alongside the acquisition data? Ex: BIDS, NIDM.
                                      " msgstr "" msgid "" -"If human imaging data are acquired, how will t" -"he data be anonymized? Will any defacing techniques be used?" +"

                                      If you are using a data management applicat" +"ion to manage data, please name which system. Describe the features of the app" +"lication that are important for this project in particular (ex. provenance tra" +"cking, versioning, QC, longitudinal design).

                                      " msgstr "" msgid "" -"What will you do to ensure that your research data contributions (syntax, outp" -"ut etc…) in your RDC project folder and (if applicable) your external a" -"nalysis are properly documented, organized and accessible?" +"What type of repository or storage service are you considering as the host of " +"your shared data?" msgstr "" msgid "" -"Will you deposit your syntax and other researc" -"h data in a repository to host your syntax files publicly? If so, please descr" -"ibe here:" +"If external data are used in this study, pleas" +"e provide the data license & data use agreement. " msgstr "" msgid "" -"If you feel there are any additional sharing a" -"nd reuse concerns related to your project please describe them here:" +"How will you make sure that the syntax archive" +"d in your project folder is created consistently throughout your project?" msgstr "" msgid "" -"

                                      In addition to the data management employed" -" by Statistics Canada, it is possible for researchers to have research output " -"that does not contain confidential data, including tables, syntax and other in" -"formation, released from the RDC where it could be curated in a repository of " -"the researcher’s choosing as described in question 5. If you plan to do " -"any supplemental storage or curation of your research data, please comment on " -"where the responsibility for curation and maintenance of the archive resides.<" -"/span>

                                      -\n" -"

                                      Will any resources be required for this curation and maintenance? If so, pl" -"ease estimate the overall data management costs.

                                      " +"

                                      Is there any other preservation that will b" +"e done as part of this research project? If so, please describe here." msgstr "" -msgid "" -"If you feel there are any additional legal or " -"ethical requirements for your project please describe them here." +msgid "test checkout" msgstr "" msgid "" -"What file formats will your data be collected in? Will these formats allow for" -" data re-use, sharing and long-term access to the data?" +"What conventions and procedures will you use to structure, name and version-co" +"ntrol your files to help you and others better understand how your data are or" +"ganized?" msgstr "" msgid "" -"How will you make sure that documentation is created or captured consistently " -"throughout your project?" +"If you are using a metadata standard and/or tools to document and describe you" +"r data, please list here." msgstr "" msgid "" -"How and where will your data be stored and backed up during your research proj" -"ect?" +"How will the research team and other collaborators access, modify, and contrib" +"ute data throughout the project?" msgstr "" msgid "" -"Indicate how you will ensure your data is preservation ready. Consider preserv" -"ation-friendly file formats, ensuring file integrity, anonymization and de-ide" -"ntification, inclusion of supporting documentation." -msgstr "" - -msgid "Have you considered what type of end-user license to include with your data?" +"What steps will be taken to help the research community know that your data ex" +"ists?" msgstr "" msgid "" -"How will responsibilities for managing data activities be handled if substanti" -"ve changes happen in the personnel overseeing the project's data, including a " -"change of Principal Investigator?" +"What resources will you require to implement your data management plan? What d" +"o you estimate the overall cost for data management to be?" msgstr "" -msgid "" -"If applicable, what strategies will you undertake to address secondary uses of" -" sensitive data?" +msgid "How will you manage legal, ethical, and intellectual property issues?" msgstr "" msgid "" -"Will you be using any existing data from exter" -"nal sources or previous research?" +"What data collection instrument or scales will" +" you use to collect the data?" msgstr "" msgid "" -"What software will you be using to support you" -"r data analysis?" +"What file formats will your data analysis file" +"s be saved in?" msgstr "" msgid "" -"Are there metadata standards which you could u" -"se to describe your data?" +"Who is the target population being investigate" +"d?" msgstr "" msgid "" -"Where will your data be stored during the data collection phase?" +"Where will your data be stored during the data analysis phase?" msgstr "" msgid "" -"Who is responsible for managing the data after" -" the study is complete?" +"Will your data be migrated to preservation for" +"mats?" msgstr "" msgid "" -"Who holds the intellectual property rights to " -"your data?" +"What ethical guidelines or restraints are appl" +"icable to your data?" msgstr "" msgid "" -"Who is the main contact and steward for the da" -"ta collected in this study?" +"Who will have access to your data throughout t" +"he project? " msgstr "" msgid "" -"What data can/will be shared at the end of the" -" study?" +"What restrictions are placed on your data that" +" would prohibit it from being made publicly available?" msgstr "" msgid "" -"What software/technology development framework" -" or model will be used, if any?" +"Will you utilize any existing code to develop " +"this software/technology? " msgstr "" msgid "" -"What documentation will you develop to help ot" -"hers write and run tests on your software/technology?" +"How will you track changes to code and depende" +"ncies?" msgstr "" msgid "" -"Describe the level of risk associated with the" -" use of public web services/infrastructure/databases regarding their stability" -" and sustainability." +"Are there restrictions on how you can share yo" +"ur software/technology related to patents, copyright, or intellectual property" +"?" msgstr "" msgid "" -"What software/technology license will you choo" -"se?" +"Where will your data be stored during the data analysis phase?" msgstr "" msgid "" -"Who is responsible for reviewing and accepting" -" each software/technology release?" +"What ethical guidelines or constraints are app" +"licable to your data?" msgstr "" msgid "" -"What software/technology will be shared at the" -" end of the study?" +"Who will have access to your data throughout t" +"he project? Describe each collaborator’s responsibilities in relation to" +" having access to the data." msgstr "" msgid "" -"What data will be shared at the end of the stu" -"dy?" +"What restrictions are placed on your data that" +" would limit public data sharing?" msgstr "" msgid "" -"Do you plan to use datasets published by others? Where will you collect them f" -"rom?" +"How will you digitally document artwork, artistic processes, and other non-dig" +"ital data? What conditions, hardware, software, and skills will you need?" msgstr "" -msgid "What metadata standard will you use?" +msgid "How will you consistently create metadata during your project?" msgstr "" -msgid "How and where will you store and back up digital data during your project?" +msgid "How will you store non-digital data during your project?" msgstr "" -msgid "Where will you preserve your research data for the long-term, if needed?" +msgid "How will you ensure your digital data is preservation ready?" msgstr "" msgid "" -"Will you need to share some data with restricted access? What restrictions wil" -"l you apply?" +"Who owns the data you will use in your project? Will the ownership of these da" +"ta affect their sharing and reuse?" msgstr "" msgid "" -"If responsibility for research data management needs to be transferred to othe" -"r individuals or organizations, who will assume responsibility and how?" +"What resources will you need to implement your data management plan? How much " +"will they cost?" msgstr "" msgid "" -"What ethical and legal issues will affect your data? How will you address them" -"?" +"If your project includes sensitive data, how will you ensure they are securely" +" managed and accessible only to approved individuals during your project?" msgstr "" msgid "" -"Are there any existing data that you can re-use and that will provide insight " -"or answer any of your research questions? If so, please explain how you will o" -"btain these data and integrate them into your research project." +"

                                      It is important to identify and understand " +"as early as possible the methods which you will employ in collecting your data" +" to ensure that they will support your needs, including supporting the secure " +"collection of sensitive data if applicable.

                                      \n" +"

                                      Describe the method(s) that you will use to" +" collect your data.

                                      " msgstr "" msgid "" -"Describe the file naming conventions that will be used in order to support qua" -"lity assurance and version-control of your files and to help others understand" -" how your data are organized." +"Describe how you will ensure that documentatio" +"n and metadata are created, captured and, if necessary, updated consistently t" +"hroughout the research project." msgstr "" msgid "" -"Describe how members of the research team will" -" securely access and work with data during the active phases of the research p" -"roject. " +"Describe how much storage space you will requi" +"re during the active phases of the research project, being sure to take into a" +"ccount file versioning and data growth." +"" msgstr "" msgid "" -"Describe where you will preserve your data for" -" long-term preservation, including any research data repositories that you may" -" be considering to use. If there are any costs associated with the preservatio" -"n of your data, include those details." +"What type of end-user license will you include" +" with your data? " msgstr "" msgid "" -"Describe whether there will be any restriction" -"s placed on your data when they are made available and who may access them. If" -" data are not openly available, describe the process for gaining access" -"." +"What resources will you require to implement y" +"our data management plan? What do you estimate the overall cost for data manag" +"ement to be?" msgstr "" -msgid "" -"How will responsibilities for managing data ac" -"tivities be handled if substantive changes happen in the personnel overseeing " -"the project's data, including a change of Principal Investigator?" +msgid "What are the technical details of each of the computational resources?" msgstr "" msgid "" -"How will you manage legal, ethical, and intell" -"ectual property issues?" +"Describe how digital files will be named and how their version(s) will be cont" +"rolled to facilitate understanding of this organization." msgstr "" msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list them here. Explain the rationale for the selection of thes" -"e standards." +"What are the costs related to the choice of deposit location and data preparat" +"ion?" msgstr "" msgid "" -"What will be the primary production computing platform(s) (e.g., compute clust" -"ers, virtual clusters)?" +"Are there legal and intellectual property issues that will limit the opening o" +"f data?" msgstr "" msgid "" -"If your project includes sensitive data, how will you ensure that it is secure" -"ly managed and accessible only to approved members of the project?" +"If applicable, indicate the metadata schema and tools used to document researc" +"h data." msgstr "" msgid "" -"Explain how the research data will be organized to facilitate understanding of" -" its organization." +"Des coûts sont-ils associés au choix du lieu de dépô" +"t et à la préparation des données?" msgstr "" msgid "" -"What is the total cost for storage space in the active and semi-active phase o" -"f the project?" +"What file formats will the supplementary data " +"be collected and processed in? Will these formats permit sharing and long-term" +" access to the data? How will you structure, name and version these files in a" +" way easily understood by others?" msgstr "" msgid "" -"

                                      Where will the research data be stored at the end of the research project?<" -"/p>" +"

                                      Please provide the information about the av" +"ailability of the metadata for your project here (both the RDC data and your e" +"xternal data). Some metadata for RDC datasets is available by contacting the R" +"DC analyst.

                                      \n" +"

                                      How will you ensure that the external/suppl" +"emental data are easily understood and correctly documented (including metadat" +"a)?

                                      " msgstr "" msgid "" -"If research data sharing is desired and possible, what difficulties do you ant" -"icipate in dealing with the secondary use of sensitive data?" +"How will the research team and other collabora" +"tors access, modify, and contribute data throughout the project?" msgstr "" msgid "" -"Décrire la stratégie de diffusion envisagée pour faire co" -"nnaître l’existence du matériel de recherche auprès " -"de ses publics." -msgstr "" - -msgid "What is an overall cost estimate for the management of research materials?" +"What steps will you take to help the research " +"community know that these data exist?" msgstr "" msgid "" -"What documentation strategy will enable you to regularly document the research" -" data throughout the project?" +"For the supplemental/external data, what resou" +"rces will you require to implement your data management plan for all your rese" +"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " +"overall cost for data management to be?" msgstr "" msgid "" -"If research data sharing is desired and possible, what strategies will" -" you implement to address the secondary use of sensitive data?" +"

                                      Where are you collecting or generating your data (i.e., study area)? Includ" +"e as appropriate the spatial boundaries, water source type and watershed name." +"

                                      " msgstr "" -msgid "" -"Describe the proposed dissemination strategy to communicate the existence of t" -"he research data to its target audiences." +msgid "

                                      How will you analyze and interpret the water quality data?

                                      " msgstr "" -msgid "Describe your succession plan to deal with significant disruptions." +msgid "" +"How will the research team and other collaborators access, modify and contribu" +"te data throughout the project? How will data be shared?" msgstr "" msgid "" -"Please describe the collection process for the" -" supplemental or external data that will be part of your project." +"What data will you be sharing and in what form? (e.g., raw, processed, analyze" +"d, final)." msgstr "" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder (and if applicable that created for your external ana" -"lysis) is created consistently throughout your project?" +"What tools, devices, platforms, and/or software packages will be used to gener" +"ate and manipulate data during the project?" msgstr "" msgid "" -"How and where will your data be stored and bac" -"ked up during your research project?" +"

                                      If you are using a metadata standard and/or online tools to document and de" +"scribe your data, please list them here.

                                      " msgstr "" msgid "" -"What type of end-user license will these share" -"d data fall under?" +"If you will use your own code or software in this project, describe your strat" +"egies for sharing it with other researchers." msgstr "" msgid "" -"For the supplemental/external data, how will r" -"esponsibilities for managing data activities be handled if substantive changes" -" happen in the personnel overseeing the project's data, including a change of " -"Principal Investigator?" +"List all expected resources for data management required to complete your proj" +"ect. What hardware, software and human resources will you need? What is your e" +"stimated budget?" msgstr "" msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of sensitive data?" +"Answer the following regarding naming conventions:
                                      \n" +"
                                        \n" +"
                                      1. How will you structure, name and version-c" +"ontrol your files to help someone outside your research team understand how yo" +"ur data are organized?
                                      2. \n" +"
                                      3. Describe your ideal workflow for file shar" +"ing between research team members step-by-step.
                                      4. \n" +"
                                      5. What tools or strategies will you use to d" +"ocument your workflow as it evolves during the course of the project? \n" +"
                                      " msgstr "" -msgid "" -"What types of data will you collect, create, link to, acquire and/or record? P" -"lease be specific, including:" +msgid "Do you plan to use a metadata standard? What specific schema might you use?" msgstr "" msgid "" -"

                                      What conventions and procedures will you use to structure, name and version" -"-control your files to help you and others better understand how your data are" -" organized?

                                      " +"Keeping ethics protocol review requirements in mind, what is your intended sto" +"rage timeframe for each type of data (raw, processed, clean, final) within you" +"r team? Will you also store software code or metadata?" msgstr "" -msgid "

                                      How will you describe samples collected?

                                      " +msgid "" +"What data will you be sharing publicly and in " +"what form (e.g. raw, processed, analyzed, final)?" msgstr "" msgid "" -"

                                      How and where will your data be stored and backed up during your research p" -"roject?

                                      " +"Before publishing or otherwise sharing a datas" +"et are you required to obscure identifiable data (name, gender, date of birth," +" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" +"re there any time restrictions for when data can be publicly accessible?" msgstr "" -msgid "Are there restrictions on sharing due to ethics or legal constraints?" +msgid "What anonymization measures are taken during data collection and storage?" msgstr "" msgid "" -"

                                      What file formats will your data be collected in? Will these formats allow " -"for data re-use, sharing and long-term access to the data?

                                      " +"Indicate how you will ensure your data, and an" +"y accompanying materials (such as software, analysis scripts, or other tools)," +" are preservation ready. " msgstr "" msgid "" -"Indicate how you will ensure your data is preservation ready. Consider preserv" -"ation-friendly file formats, file integrity, and the inclusion of supporting d" -"ocumentation." +"Have you considered what type of end-user lice" +"nse to include with your data?" msgstr "" msgid "" -"Does this project involve the use or analysis of secondary data? What is the d" -"ata-sharing arrangement for these data?" +"Do any other legal, ethical, and intellectual " +"property issues require the creation of any special documents that should be s" +"hared with the data, e.g., a LICENSE.txt file?" msgstr "" msgid "" -"How will you make sure that documentation is created or captured consistently " -"throughout your project? What approaches will be employed by the research team" -" to access, modify, and contribute data throughout the project?" +"Some metadata is available by contacting the R" +"DC analyst. Is the metadata for the data to be used in your analysis available" +" outside of the RDC? Please provide the information about the availability of " +"the metadata for your project here." msgstr "" msgid "" -"What steps will be taken to help the research community know that your researc" -"h data exist?" +"

                                      If you are using a metadata standard and/or tools to document and describe " +"your data, please list here.

                                      " msgstr "" msgid "" -"In the event that the PI leaves the project, who will replace them? Who will t" -"ake temporary responsibility until a new PI takes over?" +"Is your data collected longitudinally or at a " +"single point in time?" msgstr "" msgid "" -"Answer the following regarding file formats:
                                      -\n" -"
                                        -\n" -"
                                      1. What file formats do you expect to collect" -" (e.g. .doc, .csv, .jpg, .mov)?
                                      2. -\n" -"
                                      3. Are these file formats easy to share with " -"other researchers from different disciplines?
                                      4. -\n" -"
                                      5. In the event that one of your chosen file " -"formats becomes obsolete (or is no longer supported) how will you ensure acces" -"s to the research data?
                                      6. -\n" -"
                                      7. Does your data need to be copied to a new " -"media or cloud platform, or converted to a different file format when you stor" -"e or publish your datasets?
                                      8. -\n" -"
                                      " +"What coding scheme or methodology will you use" +" to analyze your data?" msgstr "" -msgid "" -"How will you undertake documentation of data collection, processing and analys" -"is, within your workflow to create consistent support material? Who will be re" -"sponsible for this task?" +msgid "How is the population being sampled?" msgstr "" msgid "" -"What is your anticipated backup and storage schedule? How often will you save " -"your data, in what formats, and where?" +"What backup measures will be implemented to en" +"sure the safety of your data?" msgstr "" msgid "" -"Is digital preservation a component of your pr" -"oject and do you need to plan for long-term archiving and preservation?" +"How long do you intend to keep your data after" +" the project is complete?" msgstr "" msgid "" -"Will you encounter protected or personally-identifiable information in your re" -"search? If so, how will you make sure it stays secure and is accessed by appro" -"ved team members only?" +"What legal restraints are applicable to your d" +"ata (e.g., ownership)?" msgstr "" msgid "" -"What are the anticipated storage requirements " -"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" -"s, etc.)?" +"Will any new members be added or responsibilit" +"ies be transferred over the course of the study?" msgstr "" -msgid "" -"If the project includes sensitive data, how wi" -"ll you ensure that it is securely managed and accessible only to approved memb" -"ers of the project?" +msgid "Where will you share your data?" msgstr "" msgid "" -"What conventions, methods, and standards will " -"be used to structure, name and version-control your files to help you and othe" -"rs better understand how your data are organized? In other words, what types o" -"f metadata are being stored alongside the acquisition data? Ex: BIDS, NIDM." +"What test cases will you use to develop the so" +"ftware/technology?" msgstr "" msgid "" -"

                                      If you are using a data management applicat" -"ion to manage data, please name which system. Describe the features of the app" -"lication that are important for this project in particular (ex. provenance tra" -"cking, versioning, QC, longitudinal design).

                                      " +"Where will you share your software/technology?" +"" msgstr "" msgid "" -"What type of repository or storage service are you considering as the host of " -"your shared data?" +"What code you will be generating that should a" +"ccompany the data analysis file(s)?" msgstr "" -msgid "" -"If external data are used in this study, pleas" -"e provide the data license & data use agreement. " +msgid "What file formats will your data be created and/or collected in?" msgstr "" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder is created consistently throughout your project?" +"How will your research team and others transfer, access, and/or modify data du" +"ring your project?" msgstr "" -msgid "" -"

                                      Is there any other preservation that will b" -"e done as part of this research project? If so, please describe here." +msgid "What are your preservation needs for your non-digital data?" msgstr "" -msgid "" -"What conventions and procedures will you use to structure, name and version-co" -"ntrol your files to help you and others better understand how your data are or" -"ganized?" +msgid "What type of end-user license will you include with your data?" msgstr "" msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list here." +"If you will share sensitive data, what issues do you need to address? How will" +" you address them?" msgstr "" msgid "" -"How will the research team and other collaborators access, modify, and contrib" -"ute data throughout the project?" +"If interview and/or focus group audio recordings will be transcribed, describe" +" how this will securely occur, including if it will be performed internally to" +" the research team or externally (outsourced), and/or if any software and/or e" +"lectronic platforms or services will be used for transcribing." msgstr "" msgid "" -"What steps will be taken to help the research community know that your data ex" -"ists?" +"Describe any metadata standard(s) and/or tools" +" that you will use to support the describing and documenting of your data. " msgstr "" msgid "" -"What resources will you require to implement your data management plan? What d" -"o you estimate the overall cost for data management to be?" +"What large-scale data analysis framework (and associated technical specificati" +"ons) will be used?" msgstr "" -msgid "How will you manage legal, ethical, and intellectual property issues?" +msgid "Under what licence do you plan to release your data?" msgstr "" msgid "" -"What data collection instrument or scales will" -" you use to collect the data?" +"Where will you deposit your data and software for preservation and access at t" +"he end of your research project?" msgstr "" msgid "" -"What file formats will your data analysis file" -"s be saved in?" +"Describe the quality assurance process in place to ensure data quality and com" +"pleteness during data operations (observation, recording, processing, analysis" +")." msgstr "" msgid "" -"Who is the target population being investigate" -"d?" +"If you feel there are any other legal or ethic" +"al requirements for your project please describe them here:" msgstr "" msgid "" -"Where will your data be stored during the data analysis phase?" +"Are you using third party data? If so, describe the source of the data includi" +"ng the owner, database or repository DOIs or accession numbers." msgstr "" -msgid "" -"Will your data be migrated to preservation for" -"mats?" +msgid "How will you manage other legal, ethical, and intellectual property issues?" msgstr "" msgid "" -"What ethical guidelines or restraints are appl" -"icable to your data?" +"

                                      What kind of Quality Assurance/Quality Control procedures are you planning " +"to do?

                                      " msgstr "" msgid "" -"Who will have access to your data throughout t" -"he project? " +"Will you deposit your data for long-term preservation and access at the end of" +" your research project? Please indicate any repositories that you will use." msgstr "" msgid "" -"What restrictions are placed on your data that" -" would prohibit it from being made publicly available?" +"Describe the data flow through the entire project. What steps will you take to" +" increase the likelihood that your results will be reproducible?" msgstr "" msgid "" -"Will you utilize any existing code to develop " -"this software/technology? " +"

                                      Which data (research and computational outputs) will be retained after the " +"completion of the project? Where will your research data be archived for the l" +"ong-term? Describe your strategies for long-term data archiving.

                                      " msgstr "" msgid "" -"How will you track changes to code and depende" -"ncies?" +"How will you make sure that a) your primary data collection methods are docume" +"nted with transparency and b) your secondary data sources (i.e., data you did " +"not collect yourself) — are easily identified and cited?" msgstr "" msgid "" -"Are there restrictions on how you can share yo" -"ur software/technology related to patents, copyright, or intellectual property" -"?" +"Have you considered what type of end-user lice" +"nse to include with your data? " msgstr "" msgid "" -"Where will your data be stored during the data analysis phase?" +"What is the time frame over which you are coll" +"ecting data?" msgstr "" msgid "" -"What ethical guidelines or constraints are app" -"licable to your data?" +"What quality assurance measures will be implem" +"ented to ensure the accuracy and integrity of the data? " msgstr "" -msgid "" -"Who will have access to your data throughout t" -"he project? Describe each collaborator’s responsibilities in relation to" -" having access to the data." +msgid "Is the population being weighted?" msgstr "" msgid "" -"What restrictions are placed on your data that" -" would limit public data sharing?" +"If your data contains confidential information" +", how will your storage method ensure the protection of this data?" msgstr "" msgid "" -"How will you digitally document artwork, artistic processes, and other non-dig" -"ital data? What conditions, hardware, software, and skills will you need?" -msgstr "" - -msgid "How will you consistently create metadata during your project?" -msgstr "" - -msgid "How will you store non-digital data during your project?" -msgstr "" - -msgid "How will you ensure your digital data is preservation ready?" +"What procedures are in place to destroy the da" +"ta after the retention period is complete?" msgstr "" msgid "" -"Who owns the data you will use in your project? Will the ownership of these da" -"ta affect their sharing and reuse?" +"What methods will be used to manage the risk o" +"f disclosure of participant information?" msgstr "" msgid "" -"What resources will you need to implement your data management plan? How much " -"will they cost?" +"If you have collected restricted data, what st" +"eps would someone requesting your data need to follow in order to access it?" msgstr "" msgid "" -"If your project includes sensitive data, how will you ensure they are securely" -" managed and accessible only to approved individuals during your project?" +"How will your software/technology and document" +"ation adhere to disability and/or accessibility guidelines?" msgstr "" msgid "" -"

                                      It is important to identify and understand " -"as early as possible the methods which you will employ in collecting your data" -" to ensure that they will support your needs, including supporting the secure " -"collection of sensitive data if applicable.

                                      -\n" -"

                                      Describe the method(s) that you will use to" -" collect your data.

                                      " +"What quality assurance measures will be implem" +"ented over the course of the study?" msgstr "" -msgid "" -"Describe how you will ensure that documentatio" -"n and metadata are created, captured and, if necessary, updated consistently t" -"hroughout the research project." +msgid "What are the variables being studied? " msgstr "" msgid "" -"Describe how much storage space you will requi" -"re during the active phases of the research project, being sure to take into a" -"ccount file versioning and data growth." -"" +"What file naming conventions will you use in y" +"our study?" msgstr "" msgid "" -"What type of end-user license will you include" -" with your data? " +"What steps will you take to destroy the data a" +"fter the retention period is complete?" msgstr "" msgid "" -"What resources will you require to implement y" -"our data management plan? What do you estimate the overall cost for data manag" -"ement to be?" -msgstr "" - -msgid "What are the technical details of each of the computational resources?" +"What practices will you use to structure, name, and version-control your files" +"?" msgstr "" msgid "" -"Describe how digital files will be named and how their version(s) will be cont" -"rolled to facilitate understanding of this organization." +"Are there data you will need or choose to destroy? If so, how will you destroy" +" them securely?" msgstr "" -msgid "" -"What are the costs related to the choice of deposit location and data preparat" -"ion?" +msgid "How will researchers, artists, and/or the public find your data?" msgstr "" msgid "" -"Are there legal and intellectual property issues that will limit the opening o" -"f data?" +"Describe how your data will be securely transferred, including from data colle" +"ction devices/platforms and, if applicable, to/from transcriptionists." msgstr "" msgid "" -"If applicable, indicate the metadata schema and tools used to document researc" -"h data." +"What software tools will be utilized and/or developed for the proposed researc" +"h?" msgstr "" -msgid "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +msgid "Under what licence do you plan to release your software?" msgstr "" -msgid "" -"What file formats will the supplementary data " -"be collected and processed in? Will these formats permit sharing and long-term" -" access to the data? How will you structure, name and version these files in a" -" way easily understood by others?" +msgid "What software code will you make available, and where?" msgstr "" -msgid "" -"

                                      Please provide the information about the av" -"ailability of the metadata for your project here (both the RDC data and your e" -"xternal data). Some metadata for RDC datasets is available by contacting the R" -"DC analyst.

                                      -\n" -"

                                      How will you ensure that the external/suppl" -"emental data are easily understood and correctly documented (including metadat" -"a)?

                                      " +msgid "What steps will you take to ensure your data is prepared for preservation?" msgstr "" msgid "" -"How will the research team and other collabora" -"tors access, modify, and contribute data throughout the project?" +"What tools and strategies will you take to promote your research? How will you" +" let the research community and the public know that your data exists and is r" +"eady to be reused?" msgstr "" msgid "" -"What steps will you take to help the research " -"community know that these data exist?" +"What is the geographic location within the con" +"text of the phenomenon/experience where data will be gathered?" msgstr "" msgid "" -"For the supplemental/external data, what resou" -"rces will you require to implement your data management plan for all your rese" -"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " -"overall cost for data management to be?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study?" msgstr "" msgid "" -"

                                      Where are you collecting or generating your data (i.e., study area)? Includ" -"e as appropriate the spatial boundaries, water source type and watershed name." -"

                                      " +"What file naming conventions will be used to s" +"ave your data?" msgstr "" -msgid "

                                      How will you analyze and interpret the water quality data?

                                      " +msgid "" +"What license will you apply to your data?" msgstr "" msgid "" -"How will the research team and other collaborators access, modify and contribu" -"te data throughout the project? How will data be shared?" +"What dependencies will be used in the developm" +"ent of this software/technology?" msgstr "" msgid "" -"What data will you be sharing and in what form? (e.g., raw, processed, analyze" -"d, final)." +"What is the setting and geographic location of" +" where the data is being gathered?" msgstr "" msgid "" -"What tools, devices, platforms, and/or software packages will be used to gener" -"ate and manipulate data during the project?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study that may be unclear to others?" msgstr "" msgid "" -"

                                      If you are using a metadata standard and/or online tools to document and de" -"scribe your data, please list them here.

                                      " +"Describe all of the file formats that your data will exist in, including for t" +"he various versions of both survey and qualitative interview/focus group data." +" Will these formats allow for data re-use, sharing and long-term access to the" +" data?" msgstr "" msgid "" -"If you will use your own code or software in this project, describe your strat" -"egies for sharing it with other researchers." +"What metadata/documentation do you need to provide for others to use your soft" +"ware?" msgstr "" -msgid "" -"List all expected resources for data management required to complete your proj" -"ect. What hardware, software and human resources will you need? What is your e" -"stimated budget?" +msgid "Describe your software sustainability plan." msgstr "" msgid "" -"Answer the following regarding naming conventions:
                                      -\n" -"
                                        -\n" -"
                                      1. How will you structure, name and version-c" -"ontrol your files to help someone outside your research team understand how yo" -"ur data are organized?
                                      2. -\n" -"
                                      3. Describe your ideal workflow for file shar" -"ing between research team members step-by-step.
                                      4. -\n" -"
                                      5. What tools or strategies will you use to d" -"ocument your workflow as it evolves during the course of the project? -\n" -"
                                      " +"

                                      List any metadata standard(s) and/or tools you will use to document and des" +"cribe your data:

                                      " msgstr "" -msgid "Do you plan to use a metadata standard? What specific schema might you use?" +msgid "What type of end-user license will you use for your data?" msgstr "" msgid "" -"Keeping ethics protocol review requirements in mind, what is your intended sto" -"rage timeframe for each type of data (raw, processed, clean, final) within you" -"r team? Will you also store software code or metadata?" +"What steps will be involved in the data collec" +"tion process?" msgstr "" msgid "" -"What data will you be sharing publicly and in " -"what form (e.g. raw, processed, analyzed, final)?" +"What are the steps involved in the data collec" +"tion process?" msgstr "" msgid "" -"Before publishing or otherwise sharing a datas" -"et are you required to obscure identifiable data (name, gender, date of birth," -" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" -"re there any time restrictions for when data can be publicly accessible?" -msgstr "" - -msgid "What anonymization measures are taken during data collection and storage?" +"If the metadata standard will be modified, please explain how you will modify " +"the standard to meet your needs." msgstr "" msgid "" -"Indicate how you will ensure your data, and an" -"y accompanying materials (such as software, analysis scripts, or other tools)," -" are preservation ready. " +"What software programs will you use to collect" +" the data?" msgstr "" msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data?" +"How will you make sure that metadata is created or captured consistently throu" +"ghout your project?" msgstr "" msgid "" -"Do any other legal, ethical, and intellectual " -"property issues require the creation of any special documents that should be s" -"hared with the data, e.g., a LICENSE.txt file?" +"What file formats will you be generating durin" +"g the data collection phase?" msgstr "" msgid "" -"Some metadata is available by contacting the R" -"DC analyst. Is the metadata for the data to be used in your analysis available" -" outside of the RDC? Please provide the information about the availability of " -"the metadata for your project here." +"What are the technical details of each of the storage and file systems you wil" +"l use during the active management of the research project?" msgstr "" -msgid "" -"

                                      If you are using a metadata standard and/or tools to document and describe " -"your data, please list here.

                                      " +msgid "What do you estimate the overall cost of managing your data will be?" msgstr "" msgid "" -"Is your data collected longitudinally or at a " -"single point in time?" +"

                                      Examples: numeric, images, audio, video, text, tabular data, modeling data," +" spatial data, instrumentation data.

                                      " msgstr "" msgid "" -"What coding scheme or methodology will you use" -" to analyze your data?" -msgstr "" - -msgid "How is the population being sampled?" +"

                                      Proprietary file formats requiring specialized software or hardware to use " +"are not recommended, but may be necessary for certain data collection or analy" +"sis methods. Using open file formats or industry-standard formats (e.g. those " +"widely used by a given community) is preferred whenever possible.

                                      \n" +"

                                      Read more about file formats: UBC Library or UK Data Service.

                                      " msgstr "" msgid "" -"What backup measures will be implemented to en" -"sure the safety of your data?" +"

                                      It is important to keep track of different copies or versions of files, fil" +"es held in different formats or locations, and information cross-referenced be" +"tween files. This process is called 'version control'.

                                      \n" +"

                                      Logical file structures, informative naming conventions, and clear indicati" +"ons of file versions, all contribute to better use of your data during and aft" +"er your research project.  These practices will help ensure that you and " +"your research team are using the appropriate version of your data, and minimiz" +"e confusion regarding copies on different computers and/or on different media." +"

                                      \n" +"

                                      Read more about file naming and version control: UBC" +" Library or UK Data Service.

                                      " msgstr "" msgid "" -"How long do you intend to keep your data after" -" the project is complete?" +"

                                      Typically, good documentation includes information about the study, data-le" +"vel descriptions, and any other contextual information required to make the da" +"ta usable by other researchers.  Other elements you should document, as applic" +"able, include: research methodology used, variable definitions, vocabularies, " +"classification systems, units of measurement, assumptions made, format and fil" +"e type of the data, a description of the data capture and collection methods, " +"explanation of data coding and analysis performed (including syntax files), an" +"d details of who has worked on the project and performed each task, etc.

                                      " msgstr "" msgid "" -"What legal restraints are applicable to your d" -"ata (e.g., ownership)?" +"

                                      Consider how you will capture this information and where it will be recorde" +"d, ideally in advance of data collection and analysis, to ensure accuracy, con" +"sistency, and completeness of the documentation.  Often, resources you've alre" +"ady created can contribute to this (e.g. publications, websites, progress repo" +"rts, etc.).  It is useful to consult regularly with members of the research te" +"am to capture potential changes in data collection/processing that need to be " +"reflected in the documentation.  Individual roles and workflows should include" +" gathering data documentation as a key element.

                                      " msgstr "" msgid "" -"Will any new members be added or responsibilit" -"ies be transferred over the course of the study?" +"

                                      There are many general and domain-specific metadata standards.  Dataset doc" +"umentation should be provided in one of these standard, machine readable, open" +"ly-accessible formats to enable the effective exchange of information between " +"users and systems.  These standards are often based on language-independent da" +"ta formats such as XML, RDF, and JSON. There are many metadata standards based" +" on these formats, including discipline-specific standards.

                                      Read more a" +"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" msgstr "" -msgid "Where will you share your data?" +msgid "" +"

                                      Storage-space estimates should take into account requirements for file vers" +"ioning, backups, and growth over time. 

                                      If you are collecting data ove" +"r a long period (e.g. several months or years), your data storage and backup s" +"trategy should accommodate data growth. Similarly, a long-term storage plan is" +" necessary if you intend to retain your data after the research project.

                                      " msgstr "" msgid "" -"What test cases will you use to develop the so" -"ftware/technology?" +"

                                      The risk of losing data due to human error, natural disasters, or other mis" +"haps can be mitigated by following the 3-2-1 backup rule:

                                      \n" +"
                                        \n" +"
                                      • Have at least three copies of your data.
                                      • \n" +"
                                      • Store the copies on two different media.
                                      • \n" +"
                                      • Keep one backup copy offsite
                                      • \n" +"
                                      \n" +"

                                      Data may be stored using optical or magnetic media, which can be removable " +"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" +"orked (e.g. networked drives or cloud-based servers). Each storage method has " +"benefits and drawbacks that should be considered when determining the most app" +"ropriate solution.

                                      \n" +"

                                      Further information on storage and backup practices is available from the <" +"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" +"noopener\">University of Sheffield Library and the UK Dat" +"a Service.

                                      " msgstr "" msgid "" -"Where will you share your software/technology?" -"" +"

                                      An ideal solution is one that facilitates co-operation and ensures data sec" +"urity, yet is able to be adopted by users with minimal training. Transmitting " +"data between locations or within research teams can be challenging for data ma" +"nagement infrastructure. Relying on email for data transfer is not a robust or" +" secure solution. Third-party commercial file sharing services (such as Google" +" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" +"manent or secure, and are often located outside Canada. Please contact your Li" +"brary to develop the best solution for your research project.

                                      " msgstr "" msgid "" -"What code you will be generating that should a" -"ccompany the data analysis file(s)?" +"

                                      The issue of data retention should be considered early in the research life" +"cycle. Data-retention decisions can be driven by external policies (e.g. fund" +"ing agencies, journal publishers), or by an understanding of the enduring valu" +"e of a given set of data. The need to preserve data in the short-term (i.e. f" +"or peer-verification purposes) or long-term (for data of lasting value), will " +"influence the choice of data repository or archive. A helpful analogy is to t" +"hink of creating a 'living will' for the data, that is, a plan describing how " +"future researchers will have continued access to the data.

                                      If you need a" +"ssistance locating a suitable data repository or archive, please contact your " +"Library.

                                      re3data.org is a directory of potential open data repositories. Verify whether or not t" +"he data repository will provide a statement agreeing to the terms of deposit o" +"utlined in your Data Management Plan.

                                      " msgstr "" -msgid "What file formats will your data be created and/or collected in?" +msgid "" +"

                                      Some data formats are optimal for long-term preservation of data. For examp" +"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" +".csv'), are considered preservation-friendly. The UK Data Service provides a u" +"seful table of file formats for various types of data. Keep in mind that prese" +"rvation-friendly files converted from one format to another may lose informati" +"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " +"so changes to file formats should be documented.

                                      \n" +"

                                      Identify steps required following project completion in order to ensure the" +" data you are choosing to preserve or share is anonymous, error-free, and conv" +"erted to recommended formats with a minimal risk of data loss.

                                      \n" +"

                                      Read more about anonymization: UBC Library<" +"/a> or UK Data Service.

                                      " msgstr "" msgid "" -"How will your research team and others transfer, access, and/or modify data du" -"ring your project?" +"

                                      Raw data are the data directly obtained from the instrument, simulat" +"ion or survey.

                                      Processed data result from some manipulation of th" +"e raw data in order to eliminate errors or outliers, to prepare the data for a" +"nalysis, to derive new variables, or to de-identify the human participants.

                                      Analyzed data are the the results of qualitative, statistical, or " +"mathematical analysis of the processed data. They can be presented as graphs, " +"charts or statistical tables.

                                      Final data are processed data that " +"have, if needed, been converted into a preservation-friendly format.

                                      Con" +"sider which data may need to be shared in order to meet institutional or fundi" +"ng requirements, and which data may be restricted because of confidentiality/p" +"rivacy/intellectual property considerations.

                                      " msgstr "" -msgid "What are your preservation needs for your non-digital data?" +msgid "" +"

                                      Licenses determine what uses can be made of your data. Funding agencies and" +"/or data repositories may have end-user license requirements in place; if not," +" they may still be able to guide you in the development of a license. Once cre" +"ated, please consider including a copy of your end-user license with your Data" +" Management Plan. Note that only the intellectual property rights holder(s) c" +"an issue a license, so it is crucial to clarify who owns those rights.

                                      " +"There are several types of standard licenses available to researchers, such as" +" the Creative Com" +"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" +"sier to use a standard license rather than to devise a custom-made one. Note t" +"hat even if you choose to make your data part of the public domain, it is pref" +"erable to make this explicit by using a license such as Creative Commons' CC0" +".

                                      Read more about data licensing: UK Digital Curation Cent" +"re.

                                      " msgstr "" -msgid "What type of end-user license will you include with your data?" +msgid "" +"

                                      Possibilities include: data registries, repositories, indexes, word-of-mout" +"h, publications.

                                      How will the data be accessed (Web service, ftp, etc.)?" +" If possible, choose a repository that will assign a persistent identifier (su" +"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " +"and make it retrievable by various discovery tools.

                                      One of the best ways" +" to refer other researchers to your deposited datasets is to cite them the sam" +"e way you cite other types of publications (articles, books, proceedings). The" +" Digital Curation Centre provides a detailed guide on data citation.No" +"te that some data repositories also create links from datasets to their associ" +"ated papers, thus increasing the visibility of the publications.

                                      Contact" +" your Library for assistance in making your dataset visible and easily accessi" +"ble.

                                      Reused from NIH. (2009). Key Elements to Cons" +"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" +"al Institutes of Health.

                                      " msgstr "" msgid "" -"If you will share sensitive data, what issues do you need to address? How will" -" you address them?" +"

                                      Your data management plan has identified important data activities in your " +"project. Identify who will be responsible -- individuals or organizations -- f" +"or carrying out these parts of your data management plan. This could also incl" +"ude the timeframe associated with these staff responsibilities and any trainin" +"g needed to prepare staff for these duties.

                                      " msgstr "" msgid "" -"If interview and/or focus group audio recordings will be transcribed, describe" -" how this will securely occur, including if it will be performed internally to" -" the research team or externally (outsourced), and/or if any software and/or e" -"lectronic platforms or services will be used for transcribing." +"

                                      Indicate a succession strategy for these data in the event that one or more" +" people responsible for the data leaves (e.g. a graduate student leaving after" +" graduation). Describe the process to be followed in the event that the Princi" +"pal Investigator leaves the project. In some instances, a co-investigator or t" +"he department or division overseeing this research will assume responsibility." +"

                                      " msgstr "" msgid "" -"Describe any metadata standard(s) and/or tools" -" that you will use to support the describing and documenting of your data. " +"

                                      This estimate should incorporate data management costs incurred during the " +"project as well as those required for the longer-term support for the data aft" +"er the project is finished. Items to consider in the latter category of expens" +"es include the costs of curating and providing long-term access to the data. S" +"ome funding agencies state explicitly the support that they will provide to me" +"et the cost of preparing data for deposit. This might include technical aspect" +"s of data management, training requirements, file storage & backup, and contri" +"butions of non-project staff.

                                      " msgstr "" msgid "" -"What large-scale data analysis framework (and associated technical specificati" -"ons) will be used?" +"

                                      Consider where, how, and to whom sensitive data with acknowledged long-term" +" value should be made available, and how long it should be archived. These dec" +"isions should align with Research Ethics Board requirements. The methods used " +"to share data will be dependent on a number of factors such as the type, size," +" complexity and degree of sensitivity of data. Outline problems anticipated in" +" sharing data, along with causes and possible measures to mitigate these. Prob" +"lems may include confidentiality, lack of consent agreements, or concerns abou" +"t Intellectual Property Rights, among others. In some instances, an embargo pe" +"riod may be justified; these may be defined by a funding agency's policy on re" +"search data.

                                      Reused from: DCC. (2013). Checklist for a Data Management" +" Plan. v.4.0. Edinburgh: Digital Curation Centre

                                      Restrictions can be" +" imposed by limiting physical access to storage devices, by placing data on co" +"mputers that do not have external network access (i.e. access to the Internet)" +", through password protection, and by encrypting files. Sensitive data should" +" never be shared via email or cloud storage services such as Dropbox.

                                      " msgstr "" -msgid "Under what licence do you plan to release your data?" +msgid "" +"

                                      Obtaining the appropriate consent from research participants is an importan" +"t step in assuring Research Ethics Boards that the data may be shared with res" +"earchers outside your project. The consent statement may identify certain cond" +"itions clarifying the uses of the data by other researchers. For example, it m" +"ay stipulate that the data will only be shared for non-profit research purpose" +"s or that the data will not be linked with personally identified data from oth" +"er sources.

                                      \n" +"

                                      Read more about data security: UK Data Service

                                      " msgstr "" msgid "" -"Where will you deposit your data and software for preservation and access at t" -"he end of your research project?" +"

                                      Compliance with privacy legislation and laws that may impose content restri" +"ctions in the data should be discussed with your institution's privacy officer" +" or research services office. Research Ethics Boards are central to the resear" +"ch process.

                                      Include here a description concerning ownership, licensing, " +"and intellectual property rights of the data. Terms of reuse must be clearly s" +"tated, in line with the relevant legal and ethical requirements where applicab" +"le (e.g., subject consent, permissions, restrictions, etc.).

                                      " msgstr "" msgid "" -"Describe the quality assurance process in place to ensure data quality and com" -"pleteness during data operations (observation, recording, processing, analysis" -")." +"

                                      The University of Guelph Library's Data Resource Centre provides d" +"ata collection and creation support including support for the design and creat" +"ion of web surveys and access to data resources including numeric and geospati" +"al databases.

                                      \n" +"

                                      The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" +"oved academic staff and students can securely access detailed microdata and ad" +"ministrative datasets from Statistics Canada.

                                      \n" +"

                                      For more information, contact us at lib.research@uoguelph.ca.

                                      " msgstr "" msgid "" -"If you feel there are any other legal or ethic" -"al requirements for your project please describe them here:" +"

                                      The University of Guelph Library provides training and support related to <" +"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" +"-management/training-support\" target=\"_blank\">Research Data Management. Pl" +"ease contact us at l" +"ib.research@uoguelph.ca for more information.

                                      " msgstr "" msgid "" -"Are you using third party data? If so, describe the source of the data includi" -"ng the owner, database or repository DOIs or accession numbers." +"

                                      Please see Organising Information for more information regarding developing a s" +"trategy for how you will manage your project files throughout the research pro" +"cess including directory structure, file naming conventions and versioning. \n" +"

                                      Please contact us at lib.research@uoguelph.ca for additional support.

                                      " msgstr "" -msgid "How will you manage other legal, ethical, and intellectual property issues?" +msgid "" +"

                                      The University of Guelph Library has created a Data Management Planning Checklist wh" +"ich can be used to identify and keep track of the data management practices th" +"at you will utilize throughout the data life-cycle, including what information" +" and tools will be used to document your work.

                                      \n" +"

                                      For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

                                      " msgstr "" msgid "" -"

                                      What kind of Quality Assurance/Quality Control procedures are you planning " -"to do?

                                      " +"

                                      Review Documenting Your Work for more information regarding creating and trackin" +"g metadata throughout the research process.

                                      \n" +"

                                      Please contact us at lib.research@uoguelph.ca for additional support.

                                      " msgstr "" msgid "" -"Will you deposit your data for long-term preservation and access at the end of" -" your research project? Please indicate any repositories that you will use." +"

                                      Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" +"ms for more about information about categorising and documenting your data" +" or contact us at li" +"b.research@uoguelph.ca.

                                      " msgstr "" msgid "" -"Describe the data flow through the entire project. What steps will you take to" -" increase the likelihood that your results will be reproducible?" +"

                                      On campus, Computing" +" and Communications Services (CCS) provides support for short-term storage" +" and backup.

                                      \n" +"

                                      Please see " +"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

                                      " msgstr "" msgid "" -"

                                      Which data (research and computational outputs) will be retained after the " -"completion of the project? Where will your research data be archived for the l" -"ong-term? Describe your strategies for long-term data archiving.

                                      " +"

                                      On campus, Computing" +" and Communications Services (CCS) provides support for file security and " +"encryption.

                                      \n" +"

                                      Information S" +"ecurity services provided through the Office of the CIO, offers encryption" +" and file security training.

                                      \n" +"

                                      Please see " +"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

                                      " msgstr "" msgid "" -"How will you make sure that a) your primary data collection methods are docume" -"nted with transparency and b) your secondary data sources (i.e., data you did " -"not collect yourself) — are easily identified and cited?" +"

                                      The University of Guelph Library provides support for researchers in determ" +"ining the appropriate method and location for the preservation of data.

                                      \n" +"

                                      We also maintain two research data respositories, the Agri-environmental" +" Research Data Respository and the University of Guelph Research Data Re" +"pository, where University of Guelph researchers can deposit their data th" +"rough a facilitated process.

                                      \n" +"

                                      Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" +"tion.

                                      " msgstr "" msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data? " +"

                                      Please see Pres" +"ervation and " +"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

                                      " msgstr "" msgid "" -"What is the time frame over which you are coll" -"ecting data?" +"

                                      Please see Sha" +"ring & Reuse - Conditions for Sharing for more information on licensin" +"g options or contact us at lib.research@uoguelph.ca

                                      " msgstr "" msgid "" -"What quality assurance measures will be implem" -"ented to ensure the accuracy and integrity of the data? " -msgstr "" - -msgid "Is the population being weighted?" +"

                                      The University of Guelph Library offers Resea" +"rch Data Management services that support researchers with the organizatio" +"n, management, dissemination, and preservation of their research data.

                                      \n" +"

                                      Data deposited in the University of Guelph Research Data Repositories is as" +"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" +") to your data. The DOI can be used to cite, improve discovery, track usage an" +"d measure the impact of your data.

                                      \n" +"

                                      Sharing data through a repository can also improve its discovery and dissem" +"ination since repository content is fully indexed and searchable in search eng" +"ines such as Google.

                                      \n" +"

                                      For more information, contact us at lib.research@uoguelph.ca.

                                      " msgstr "" msgid "" -"If your data contains confidential information" -", how will your storage method ensure the protection of this data?" +"

                                      The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" +"mans (Chapter 5) - D. Consen" +"t and Secondary Use of Identifiable Information for Research Purposes prov" +"ides detailed guidance related to secondary use of research data.

                                      \n" +"

                                      Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" +"ng your data for secondary use including obtaining consent, conditions for sha" +"ring and anonymising data.

                                      " msgstr "" msgid "" -"What procedures are in place to destroy the da" -"ta after the retention period is complete?" +"

                                      Researchers should consult the Tri-Council Po" +"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" +"nformation on ethical obligations.

                                      \n" +"

                                      The University of Guelph's Office of Research offers guidance related to&nb" +"sp;Ethics and Regulatory Compliance as well a" +"s Intellectual Property Policy.  \n" +"

                                      The Office of Research also provides resources, training and detailed guida" +"nce related to research involving human participants through the Resear" +"ch Ethics/Protection of Human Participants webpage.

                                      \n" +"

                                      Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

                                      \n" +"

                                       

                                      \n" +"

                                       

                                      " msgstr "" msgid "" -"What methods will be used to manage the risk o" -"f disclosure of participant information?" +"

                                      Les Services informatiques ont une offr" +"e de services en soutien à la recherche. Ils peuvent vous aider à" +"; déterminer vos besoins de stockage et à mettre en place l&rsqu" +"o;infrastructure nécessaire à votre projet de recherche.

                                      " msgstr "" msgid "" -"If you have collected restricted data, what st" -"eps would someone requesting your data need to follow in order to access it?" +"

                                      Les Services informatiques peuvent vous" +" assister dans l'élaboration de votre stratégie de sauvegarde." msgstr "" msgid "" -"How will your software/technology and document" -"ation adhere to disability and/or accessibility guidelines?" +"

                                      Les Services informatiques offrent une solution locale de stockage et de pa" +"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" +"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" +"get=\"_blank\">Service OwnCloud.

                                      \n" +"

                                      Les Services informatiques peuvent de p" +"lus vous aider à mettre au point les stratégies de collaboration" +" et de sécurité entre vos différents espaces de travail.<" +"/p>" msgstr "" msgid "" -"What quality assurance measures will be implem" -"ented over the course of the study?" -msgstr "" - -msgid "What are the variables being studied? " +"

                                      Un professionnel de l’équipe de soutien à la gestion de" +"s données de recherche peut vous aider à identifier des dé" +";pôts pertinents pour vos données: gdr@uqam.ca.

                                      " msgstr "" msgid "" -"What file naming conventions will you use in y" -"our study?" +"

                                      La Politique de la recherche et de la cr&eacu" +"te;ation (Politique no 10) de l’UQAM souligne que « le par" +"tage des résultats de la recherche et de la création avec la soc" +"iété est une nécessité dans le cadre d’une p" +"olitique de la recherche publique » et que « l’UQAM" +" encourage tous les acteurs de la recherche et de la création et en par" +"ticulier les professeures et les professeurs à diffuser et transf&eacut" +"e;rer les résultats de leurs travaux au sein de la société" +"; ».

                                      \n" +"

                                      La Déclaration de principes des trois organis" +"mes sur la gestion des données numériques n’indique pa" +"s quelles données doivent être partagées. Elle a pour obje" +"ctif « de promouvoir l’excellence dans les pratiques de gestio" +"n et d’intendance des données numériques de travaux de rec" +"herche financés par les organismes ». Il y est décrit" +" de quelle façon la  préservation, la conservation et le pa" +"rtage des données devraient être envisagés. À lire!" +"

                                      \n" +"

                                      Suggestion: Voyez comment protéger vos données sensibles (der" +"nière section du plan: « Conformité aux lois et &agra" +"ve; l’éthique ») et partagez tout ce qui peut l'ê" +";tre, après une analyse coût-bénéfice.

                                      " msgstr "" msgid "" -"What steps will you take to destroy the data a" -"fter the retention period is complete?" +"

                                      Les Services informatiques peuvent vous" +" aider à déterminer les coûts de l'infrastructure né" +";cessaire à votre projet de recherche.

                                      " msgstr "" msgid "" -"What practices will you use to structure, name, and version-control your files" -"?" +"

                                      Les Services informatiques ont produit un « Guide de bonnes prati" +"ques pour la sécurité informatique des données de recherc" +"he ».

                                      " msgstr "" msgid "" -"Are there data you will need or choose to destroy? If so, how will you destroy" -" them securely?" +"

                                      L’équipe de soutien à la gestion des données de " +"recherche peut vous mettre en relation avec des professionnels qualifié" +"s pour vous aider avec les questions d’ordre éthique, juridique e" +"t de propriété intellectuelle: gdr@uqam.ca.

                                      " msgstr "" -msgid "How will researchers, artists, and/or the public find your data?" +msgid "" +"

                                      See more about best practices on file formats from the SFU Library.

                                      " msgstr "" msgid "" -"Describe how your data will be securely transferred, including from data colle" -"ction devices/platforms and, if applicable, to/from transcriptionists." +"

                                      DDI is a common metadata standard for the social sciences. SFU Radar uses D" +"DI Codebook to describe data so other researchers can find it by searching a d" +"iscovery portal like Da" +"taCite.

                                      \n" +"

                                      Read more about metadata standards: UK Digital Curation Centre's Disciplinary" +" Metadata.

                                      " msgstr "" msgid "" -"What software tools will be utilized and/or developed for the proposed researc" -"h?" +"

                                      If paying for an external hosting service, you will need to keep paying for" +" it, or have some migration plan (e.g., depositing the data into a university " +"repository). SFU Vault or services like Sync may be an option f" +"or some projects.

                                      " msgstr "" -msgid "Under what licence do you plan to release your software?" +msgid "" +"
                                      Encrypting sensitive data is recommended. In almost case" +"s, full disk encryption is preferable; users apply a feature in the computer's oper" +"ating system to encrypt the entire disk. \n" +"
                                       
                                      \n" +"
                                      \n" +"
                                      In Windows, encryption of your internal disk or USB driv" +"es can be performed by a service called BitLocker. In Mac OSX, disk" +" encryption can be performed by a service called FileVault. Documen" +"tation of these features is available from Microsoft or Apple. Full disk encry" +"ption is also available in Linux. Note that encrypting a USB drive may li" +"mit its usability across devices.
                                      \n" +"
                                       
                                      \n" +"
                                      Encrypted data is less likely to be " +"seen by an unauthorized person if the laptop/external drive is lost or st" +"olen. It's important to consider that merely \"deleti" +"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" +"ata from the computer, and even “secure deletion” tools are not co" +"mpletely effective on modern disks. Consider what security measures are necessary for han" +"dling sensitive data files and for decommissioning the computer disc " +";at the end of its use. \n" +"
                                       
                                      \n" +"
                                      \n" +"
                                      For more information about securing sensitive research d" +"ata, consult with SFU's IT Services.
                                      " msgstr "" -msgid "What software code will you make available, and where?" +msgid "" +"

                                      Consider contacting SFU Library Data Services to develop the best solution for y" +"our research project.

                                      " msgstr "" -msgid "What steps will you take to ensure your data is prepared for preservation?" +msgid "" +"

                                      If you need assistance locating a suitable data repository or archive, plea" +"se contact SFU Libr" +"ary Data Services. re3data.or" +"g is a directory of potential open data repositories.

                                      " msgstr "" msgid "" -"What tools and strategies will you take to promote your research? How will you" -" let the research community and the public know that your data exists and is r" -"eady to be reused?" +"

                                      Some data formats are optimal for long-term preservation of data. For examp" +"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" +"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" +" preservation-friendly files converted from one format to another may lose inf" +"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" +"ile), so changes to file formats should be documented, and you may want to ret" +"ain original formats, even if they are proprietary.

                                      " msgstr "" msgid "" -"What is the geographic location within the con" -"text of the phenomenon/experience where data will be gathered?" +"

                                      There are various creative commons licenses which can be applied to data. <" +"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" +"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" +" at SFU.

                                      " msgstr "" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study?" +"

                                      If possible, choose a repository like the Canadian Federated Research Data " +"Repository, FRDR for short,  that will assign a persistent identifier (such" +" as a DOI) to your dataset. This will ensure a stable access to the dataset an" +"d make it retrievable by various discovery tools. DataCite Search is a discov" +"ery portal for research data. If you deposit in SFU Radar or a repository inde" +"xed in the Re" +"gistry of Research Data Repositories, your records will appear in the port" +"al's keyword search results.

                                      " msgstr "" msgid "" -"What file naming conventions will be used to s" -"ave your data?" +"

                                      If you need advice on identifying potential support, contact data-services@" +"sfu.ca

                                      " msgstr "" msgid "" -"What license will you apply to your data?" +"

                                      Decisions relevant to data retention and storage should align with SFU's Of" +"fice of Research Ethics requirements.

                                      " msgstr "" msgid "" -"What dependencies will be used in the developm" -"ent of this software/technology?" +"

                                      SFU's Office of Research Ethics' consent statement shou" +"ld be consulted when working with human participants.

                                      \n" +"

                                      The Interuniversity Consortium f" +"or Political and Social Research (ISPSR) and the Australian National Data Service<" +"/a> also provide examples of informed consent language for data sharing.

                                      " msgstr "" msgid "" -"What is the setting and geographic location of" -" where the data is being gathered?" +"

                                      The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" +"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" +"e of personal information collected in research projects. This does not mean, " +"however, that sensitive information collected as part of your research does no" +"t need to be safeguarded. Please refer to University Ethics Review (R 20." +"01).

                                      \n" +"

                                      IP issues should be clarified at the commencement of your research proj" +"ect so that all collaborators have a mutual understanding of ownership, to pre" +"vent potential conflict later.

                                      " msgstr "" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study that may be unclear to others?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      For more information on file formats, see Concordia Library’s Research data management guide.

                                      \n" +"
                                      " msgstr "" msgid "" -"Describe all of the file formats that your data will exist in, including for t" -"he various versions of both survey and qualitative interview/focus group data." -" Will these formats allow for data re-use, sharing and long-term access to the" -" data?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      For more information on metadata standards, see Concordia Library’s Re" +"search data management guide

                                      \n" +"
                                      " msgstr "" msgid "" -"What metadata/documentation do you need to provide for others to use your soft" -"ware?" -msgstr "" - -msgid "Describe your software sustainability plan." +"

                                      For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact the Concordia " +"IT Research Support Team.

                                      " msgstr "" msgid "" -"

                                      List any metadata standard(s) and/or tools you will use to document and des" -"cribe your data:

                                      " +"

                                      For more information on data storage and backup, see Concordia Library&rsqu" +"o;s Research data management guide.

                                      \n" +"

                                      For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

                                      " msgstr "" -msgid "What type of end-user license will you use for your data?" +msgid "" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      Datasets containing sensitive data or data files larger than 15MB should no" +"t be transferred via email.

                                      \n" +"

                                      Please contact Concordia's IT Research Support Team for the exchan" +"ge of files with external organizations or for assistance with other issues re" +"lated to network services (connectivity with other external research centers o" +"r for high capacity, high volume data transfers).  

                                      \n" +"
                                      " msgstr "" msgid "" -"What steps will be involved in the data collec" -"tion process?" +"

                                      For more information on data archiving options, see Concordia Library&rsquo" +";s Research data management guide.

                                      " msgstr "" msgid "" -"What are the steps involved in the data collec" -"tion process?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      For more information, please contact copyright.questions@concordia.ca

                                      \n" +"
                                      " msgstr "" msgid "" -"If the metadata standard will be modified, please explain how you will modify " -"the standard to meet your needs." +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      Although there are no absolute rules to determine the cost of data curation" +", some guidelines and tools have been developed to help researchers estimate t" +"hese costs. See for instance the information and tool " +"provided by the UK Data Service.

                                      \n" +"

                                      Another version of this t" +"ool, with examples of actual costs (in Euros), was developed by librarians" +" and IT staff at Utrecht University.

                                      \n" +"

                                      For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact Concordia's IT" +" Research Support Team.

                                      \n" +"
                                      " msgstr "" msgid "" -"What software programs will you use to collect" -" the data?" +"

                                      The answer to this question must be in line with Concordia University&rsquo" +";s Policy for the Ethic" +"al Review of Research Involving Human Participants.

                                      \n" +"

                                      The information provided here may be useful in completing section 13 (confi" +"dentiality, access, and storage) of the Summary Protoc" +"ol Form (SPF) for research involving human participants.

                                      \n" +"

                                      For technical assistance, please contact Concordia's IT Research Suppo" +"rt Team.

                                      \n" +"

                                      For questions concerning ethics, Concordia's Offi" +"ce of Research.

                                      " msgstr "" msgid "" -"How will you make sure that metadata is created or captured consistently throu" -"ghout your project?" +"

                                      The information provided here may also be useful in completing section 13 (" +"confidentiality, access, and storage) of the Summ" +"ary Protocol Form (SPF) for research involving human participants.

                                      " msgstr "" msgid "" -"What file formats will you be generating durin" -"g the data collection phase?" +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                      \n" +"

                                      Concordia University researchers must abide by the University’s policies related to research.

                                      \n" +"

                                      Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" +"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" +"nbsp;

                                      \n" +"

                                      For more information on intellectual property or copyright issues, please c" +"ontact copyright.questions@concordia.ca

                                      \n" +"

                                      For more information on research ethics please contact Concordia's Office of Research.

                                      \n" +"
                                      " msgstr "" msgid "" -"What are the technical details of each of the storage and file systems you wil" -"l use during the active management of the research project?" +"

                                      Research Data Manag" +"ement Guide

                                      " msgstr "" -msgid "What do you estimate the overall cost of managing your data will be?" +msgid "" +"Describe all types of data you will collect th" +"roughout the research process, with special attention paid to participant-driv" +"en data (e.g., written transcripts, video files, audio recordings, journals, a" +"rt, photographs, etc.)." msgstr "" msgid "" -"

                                      Examples: numeric, images, audio, video, text, tabular data, modeling data," -" spatial data, instrumentation data.

                                      " +"If you will be combining original research dat" +"a with existing, or previously used research data, describe those data here. P" +"rovide the name, location, URL, and date of the dataset(s) used. Describe any " +"end-user license assigned to the data, or terms of use you must abide by." msgstr "" msgid "" -"

                                      Proprietary file formats requiring specialized software or hardware to use " -"are not recommended, but may be necessary for certain data collection or analy" -"sis methods. Using open file formats or industry-standard formats (e.g. those " -"widely used by a given community) is preferred whenever possible.

                                      -\n" -"

                                      Read more about file formats: UBC Library or UK Data Service.

                                      " +"Provide a description of any data collection i" +"nstruments or scales that will be used to collect data. These may include but " +"are not limited to questionnaires, interview guides, or focus group procedures" +". If using a pre-existing instrument or scale, provide the citation(s) in this" +" section." msgstr "" msgid "" -"

                                      It is important to keep track of different copies or versions of files, fil" -"es held in different formats or locations, and information cross-referenced be" -"tween files. This process is called 'version control'.

                                      -\n" -"

                                      Logical file structures, informative naming conventions, and clear indicati" -"ons of file versions, all contribute to better use of your data during and aft" -"er your research project.  These practices will help ensure that you and " -"your research team are using the appropriate version of your data, and minimiz" -"e confusion regarding copies on different computers and/or on different media." -"

                                      -\n" -"

                                      Read more about file naming and version control: UBC" -" Library or UK Data Service.

                                      " +"Describe the frequency in which you will be co" +"llecting data from participants. If you are performing narrative inquiry or lo" +"ngitudinal data collection for example, how often will you gather data from th" +"e same participants?" msgstr "" msgid "" -"

                                      Typically, good documentation includes information about the study, data-le" -"vel descriptions, and any other contextual information required to make the da" -"ta usable by other researchers.  Other elements you should document, as applic" -"able, include: research methodology used, variable definitions, vocabularies, " -"classification systems, units of measurement, assumptions made, format and fil" -"e type of the data, a description of the data capture and collection methods, " -"explanation of data coding and analysis performed (including syntax files), an" -"d details of who has worked on the project and performed each task, etc.

                                      " +"Provide an estimate of when you will begin and" +" conclude the data collection process. List this information in the following " +"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" +"/MM - YYYY/MM instead." msgstr "" msgid "" -"

                                      Consider how you will capture this information and where it will be recorde" -"d, ideally in advance of data collection and analysis, to ensure accuracy, con" -"sistency, and completeness of the documentation.  Often, resources you've alre" -"ady created can contribute to this (e.g. publications, websites, progress repo" -"rts, etc.).  It is useful to consult regularly with members of the research te" -"am to capture potential changes in data collection/processing that need to be " -"reflected in the documentation.  Individual roles and workflows should include" -" gathering data documentation as a key element.

                                      " +"Provide a description of the environment and g" +"eographic location of where data will be gathered, within the context of the s" +"tudy (e.g., hospital setting, long-term care setting, community). Include nati" +"onal, provincial, or municipal locations if applicable." msgstr "" msgid "" -"

                                      There are many general and domain-specific metadata standards.  Dataset doc" -"umentation should be provided in one of these standard, machine readable, open" -"ly-accessible formats to enable the effective exchange of information between " -"users and systems.  These standards are often based on language-independent da" -"ta formats such as XML, RDF, and JSON. There are many metadata standards based" -" on these formats, including discipline-specific standards.

                                      Read more a" -"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" +"

                                      Summarize the steps that are involved in th" +"e data collection process for your study. This section should include informat" +"ion about screening and recruitment, the informed consent process, information" +" disseminated to participants before data collection, and the methods by which" +" data is gathered. 

                                      \n" +"
                                      \n" +"

                                      In this section, consider including documen" +"tation such as your study protocol, interview guide, questionnaire, etc.

                                      " msgstr "" msgid "" -"

                                      Storage-space estimates should take into account requirements for file vers" -"ioning, backups, and growth over time. 

                                      If you are collecting data ove" -"r a long period (e.g. several months or years), your data storage and backup s" -"trategy should accommodate data growth. Similarly, a long-term storage plan is" -" necessary if you intend to retain your data after the research project.

                                      " +"Include a description of any software that wil" +"l be used to gather data. Examples may include but are not limited to word pro" +"cessing programs, survey software, and audio/video recording tools. Provide th" +"e version of each software program used if applicable." msgstr "" msgid "" -"

                                      The risk of losing data due to human error, natural disasters, or other mis" -"haps can be mitigated by following the 3-2-1 backup rule:

                                      -\n" -"
                                        -\n" -"
                                      • Have at least three copies of your data.
                                      • -\n" -"
                                      • Store the copies on two different media.
                                      • -\n" -"
                                      • Keep one backup copy offsite
                                      • -\n" -"
                                      -\n" -"

                                      Data may be stored using optical or magnetic media, which can be removable " -"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" -"orked (e.g. networked drives or cloud-based servers). Each storage method has " -"benefits and drawbacks that should be considered when determining the most app" -"ropriate solution.

                                      -\n" -"

                                      Further information on storage and backup practices is available from the <" -"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" -"noopener\">University of Sheffield Library and the UK Dat" -"a Service.

                                      " +"List the file formats associated with each sof" +"tware program that will be generated during the data collection phase (e.g., ." +"txt, .csv, .mp4, .wav)." msgstr "" msgid "" -"

                                      An ideal solution is one that facilitates co-operation and ensures data sec" -"urity, yet is able to be adopted by users with minimal training. Transmitting " -"data between locations or within research teams can be challenging for data ma" -"nagement infrastructure. Relying on email for data transfer is not a robust or" -" secure solution. Third-party commercial file sharing services (such as Google" -" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" -"manent or secure, and are often located outside Canada. Please contact your Li" -"brary to develop the best solution for your research project.

                                      " +"Provide a description of how you will track ch" +"anges made to any data analysis files. Examples might include any audit trail " +"steps, or versioning systems that you follow during the data analysis process." +"" msgstr "" msgid "" -"

                                      The issue of data retention should be considered early in the research life" -"cycle. Data-retention decisions can be driven by external policies (e.g. fund" -"ing agencies, journal publishers), or by an understanding of the enduring valu" -"e of a given set of data. The need to preserve data in the short-term (i.e. f" -"or peer-verification purposes) or long-term (for data of lasting value), will " -"influence the choice of data repository or archive. A helpful analogy is to t" -"hink of creating a 'living will' for the data, that is, a plan describing how " -"future researchers will have continued access to the data.

                                      If you need a" -"ssistance locating a suitable data repository or archive, please contact your " -"Library.

                                      re3data.org is a directory of potential open data repositories. Verify whether or not t" -"he data repository will provide a statement agreeing to the terms of deposit o" -"utlined in your Data Management Plan.

                                      " +"Include any software programs you plan to use " +"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" +"tc.). Include the version if applicable." msgstr "" msgid "" -"

                                      Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" -".csv'), are considered preservation-friendly. The UK Data Service provides a u" -"seful table of file formats for various types of data. Keep in mind that prese" -"rvation-friendly files converted from one format to another may lose informati" -"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " -"so changes to file formats should be documented.

                                      -\n" -"

                                      Identify steps required following project completion in order to ensure the" -" data you are choosing to preserve or share is anonymous, error-free, and conv" -"erted to recommended formats with a minimal risk of data loss.

                                      -\n" -"

                                      Read more about anonymization: UBC Library<" -"/a> or UK Data Service.

                                      " +"List the file formats associated with each ana" +"lysis software program that will be generated in your study (e.g., .txt, .csv," +" .xsls, .docx). " msgstr "" msgid "" -"

                                      Raw data are the data directly obtained from the instrument, simulat" -"ion or survey.

                                      Processed data result from some manipulation of th" -"e raw data in order to eliminate errors or outliers, to prepare the data for a" -"nalysis, to derive new variables, or to de-identify the human participants.

                                      Analyzed data are the the results of qualitative, statistical, or " -"mathematical analysis of the processed data. They can be presented as graphs, " -"charts or statistical tables.

                                      Final data are processed data that " -"have, if needed, been converted into a preservation-friendly format.

                                      Con" -"sider which data may need to be shared in order to meet institutional or fundi" -"ng requirements, and which data may be restricted because of confidentiality/p" -"rivacy/intellectual property considerations.

                                      " +"Include the coding scheme used to analyze your" +" data -- consider providing a copy of your codebook. If other methods of analy" +"sis were performed, describe them here. " msgstr "" msgid "" -"

                                      Licenses determine what uses can be made of your data. Funding agencies and" -"/or data repositories may have end-user license requirements in place; if not," -" they may still be able to guide you in the development of a license. Once cre" -"ated, please consider including a copy of your end-user license with your Data" -" Management Plan. Note that only the intellectual property rights holder(s) c" -"an issue a license, so it is crucial to clarify who owns those rights.

                                      " -"There are several types of standard licenses available to researchers, such as" -" the Creative Com" -"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" -"sier to use a standard license rather than to devise a custom-made one. Note t" -"hat even if you choose to make your data part of the public domain, it is pref" -"erable to make this explicit by using a license such as Creative Commons' CC0" -".

                                      Read more about data licensing: UK Digital Curation Cent" -"re.

                                      " +"Outline the steps that will be taken to ensure" +" the quality and transparency during the data analysis process. In this sectio" +"n, describe procedures for cleaning data, contacting participants to clarify r" +"esponses, and correcting data when errors are identified. Consider the princip" +"les of credibility, dependability, confirmability, and transferability as desc" +"ribed in Lincoln and Guba, 1985 when completing this section.
                                      " msgstr "" msgid "" -"

                                      Possibilities include: data registries, repositories, indexes, word-of-mout" -"h, publications.

                                      How will the data be accessed (Web service, ftp, etc.)?" -" If possible, choose a repository that will assign a persistent identifier (su" -"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " -"and make it retrievable by various discovery tools.

                                      One of the best ways" -" to refer other researchers to your deposited datasets is to cite them the sam" -"e way you cite other types of publications (articles, books, proceedings). The" -" Digital Curation Centre provides a detailed guide on data citation.No" -"te that some data repositories also create links from datasets to their associ" -"ated papers, thus increasing the visibility of the publications.

                                      Contact" -" your Library for assistance in making your dataset visible and easily accessi" -"ble.

                                      Reused from NIH. (2009). Key Elements to Cons" -"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" -"al Institutes of Health.

                                      " +"Consider what information might be useful to a" +"ccompany your data if you were to share it with someone else (e.g., the study " +"protocol, interview guide, codebook, information about software used, question" +"naires, user guide for the data, etc.)." msgstr "" msgid "" -"

                                      Your data management plan has identified important data activities in your " -"project. Identify who will be responsible -- individuals or organizations -- f" -"or carrying out these parts of your data management plan. This could also incl" -"ude the timeframe associated with these staff responsibilities and any trainin" -"g needed to prepare staff for these duties.

                                      " +"Metadata standards can provide guidance on how" +" best to document your data. If you do not know of any existing standards in y" +"our field, visit this website to search for available standards: https://fairshari" +"ng.org/." msgstr "" msgid "" -"

                                      Indicate a succession strategy for these data in the event that one or more" -" people responsible for the data leaves (e.g. a graduate student leaving after" -" graduation). Describe the process to be followed in the event that the Princi" -"pal Investigator leaves the project. In some instances, a co-investigator or t" -"he department or division overseeing this research will assume responsibility." -"

                                      " +"Describe the participants whose lived experien" +"ces/phenomena are being studied in this project." msgstr "" msgid "" -"

                                      This estimate should incorporate data management costs incurred during the " -"project as well as those required for the longer-term support for the data aft" -"er the project is finished. Items to consider in the latter category of expens" -"es include the costs of curating and providing long-term access to the data. S" -"ome funding agencies state explicitly the support that they will provide to me" -"et the cost of preparing data for deposit. This might include technical aspect" -"s of data management, training requirements, file storage & backup, and contri" -"butions of non-project staff.

                                      " +"Provide a brief description of the sampling pr" +"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" +"." msgstr "" msgid "" -"

                                      Consider where, how, and to whom sensitive data with acknowledged long-term" -" value should be made available, and how long it should be archived. These dec" -"isions should align with Research Ethics Board requirements. The methods used " -"to share data will be dependent on a number of factors such as the type, size," -" complexity and degree of sensitivity of data. Outline problems anticipated in" -" sharing data, along with causes and possible measures to mitigate these. Prob" -"lems may include confidentiality, lack of consent agreements, or concerns abou" -"t Intellectual Property Rights, among others. In some instances, an embargo pe" -"riod may be justified; these may be defined by a funding agency's policy on re" -"search data.

                                      Reused from: DCC. (2013). Checklist for a Data Management" -" Plan. v.4.0. Edinburgh: Digital Curation Centre

                                      Restrictions can be" -" imposed by limiting physical access to storage devices, by placing data on co" -"mputers that do not have external network access (i.e. access to the Internet)" -", through password protection, and by encrypting files. Sensitive data should" -" never be shared via email or cloud storage services such as Dropbox.

                                      " +"Outline any weighting or representative sampli" +"ng that is being applied in this study." msgstr "" msgid "" -"

                                      Obtaining the appropriate consent from research participants is an importan" -"t step in assuring Research Ethics Boards that the data may be shared with res" -"earchers outside your project. The consent statement may identify certain cond" -"itions clarifying the uses of the data by other researchers. For example, it m" -"ay stipulate that the data will only be shared for non-profit research purpose" -"s or that the data will not be linked with personally identified data from oth" -"er sources.

                                      -\n" -"

                                      Read more about data security: UK Data Service

                                      " +"Provide a glossary of any acronyms or abbrevia" +"tions used within your study." msgstr "" msgid "" -"

                                      Compliance with privacy legislation and laws that may impose content restri" -"ctions in the data should be discussed with your institution's privacy officer" -" or research services office. Research Ethics Boards are central to the resear" -"ch process.

                                      Include here a description concerning ownership, licensing, " -"and intellectual property rights of the data. Terms of reuse must be clearly s" -"tated, in line with the relevant legal and ethical requirements where applicab" -"le (e.g., subject consent, permissions, restrictions, etc.).

                                      " +"Provide an estimate of how much data you will " +"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" +"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" +"r interview transcripts)." msgstr "" msgid "" -"

                                      The University of Guelph Library's Data Resource Centre provides d" -"ata collection and creation support including support for the design and creat" -"ion of web surveys and access to data resources including numeric and geospati" -"al databases.

                                      -\n" -"

                                      The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" -"oved academic staff and students can securely access detailed microdata and ad" -"ministrative datasets from Statistics Canada.

                                      -\n" -"

                                      For more information, contact us at lib.research@uoguelph.ca.

                                      " +"Describe where your data will be stored while " +"data is being gathered from participants (e.g., in a secure, password protecte" +"d computer file, hard copies stored in locked filing cabinets, or institutiona" +"l computer storage)." msgstr "" msgid "" -"

                                      The University of Guelph Library provides training and support related to <" -"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" -"-management/training-support\" target=\"_blank\">Research Data Management. Pl" -"ease contact us at l" -"ib.research@uoguelph.ca for more information.

                                      " +"If different from the above, describe where yo" +"ur data will be stored while performing data analysis." msgstr "" msgid "" -"

                                      Please see Organising Information for more information regarding developing a s" -"trategy for how you will manage your project files throughout the research pro" -"cess including directory structure, file naming conventions and versioning. -\n" -"

                                      Please contact us at lib.research@uoguelph.ca for additional support.

                                      " +"Describe how your study data will be regularly" +" saved and updated. If using institutional servers, consult with your Informat" +"ion Technology department if you are unsure how frequently data is backed up.<" +"/span>" msgstr "" msgid "" -"

                                      The University of Guelph Library has created a Data Management Planning Checklist wh" -"ich can be used to identify and keep track of the data management practices th" -"at you will utilize throughout the data life-cycle, including what information" -" and tools will be used to document your work.

                                      -\n" -"

                                      For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

                                      " +"Outline the procedures that will safeguard sen" +"sitive data collected during your study. This may include storing identifying " +"data (consent forms) separately from anonymized data (audio files or transcrip" +"ts), keeping files password protected and secure, and only providing access to" +" investigators analyzing the data." msgstr "" msgid "" -"

                                      Review Documenting Your Work for more information regarding creating and trackin" -"g metadata throughout the research process.

                                      -\n" -"

                                      Please contact us at lib.research@uoguelph.ca for additional support.

                                      " +"Provide examples of a consistent file naming c" +"onvention that will be used for this study. Examples of file names might inclu" +"de the type of file, participant number, date of interaction, and/or study pha" +"se. Follow t" +"his guide for more information on f" +"ile naming." msgstr "" msgid "" -"

                                      Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" -"ms for more about information about categorising and documenting your data" -" or contact us at li" -"b.research@uoguelph.ca.

                                      " +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, external data repository" +", in secure, institutional computer" +" storage, or external hard drive)." msgstr "" msgid "" -"

                                      On campus, Computing" -" and Communications Services (CCS) provides support for short-term storage" -" and backup.

                                      -\n" -"

                                      Please see " -"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

                                      " +"Name the person(s) responsible for managing th" +"e data at the completion of the project. List their affiliation(s) and contact" +" information." msgstr "" msgid "" -"

                                      On campus, Computing" -" and Communications Services (CCS) provides support for file security and " -"encryption.

                                      -\n" -"

                                      Information S" -"ecurity services provided through the Office of the CIO, offers encryption" -" and file security training.

                                      -\n" -"

                                      Please see " -"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

                                      " +"Many proprietary file formats such as those ge" +"nerated from Microsoft software or statistical analysis tools can make the dat" +"a difficult to access later on. Consider transforming any proprietary files in" +"to preservation-friendly formats<" +"/span> to ensure your data can be opened i" +"n any program. Describe the process for migrating any data formats here." msgstr "" msgid "" -"

                                      The University of Guelph Library provides support for researchers in determ" -"ining the appropriate method and location for the preservation of data.

                                      -\n" -"

                                      We also maintain two research data respositories, the Agri-environmental" -" Research Data Respository and the University of Guelph Research Data Re" -"pository, where University of Guelph researchers can deposit their data th" -"rough a facilitated process.

                                      -\n" -"

                                      Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" -"tion.

                                      " -msgstr "" - -msgid "" -"

                                      Please see Pres" -"ervation and " -"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

                                      " +"Provide details on how long you plan to keep y" +"our data after the project, and list any requirements you must follow based on" +" Research Ethics Board guidelines, data use agreements, or funder requirements" +". " msgstr "" msgid "" -"

                                      Please see Sha" -"ring & Reuse - Conditions for Sharing for more information on licensin" -"g options or contact us at lib.research@uoguelph.ca

                                      " +"Describe what steps will be taken to destroy s" +"tudy data. These steps may include shredding physical documents, making data u" +"nretrievable with support from your Information Technology department, or othe" +"r personal measures to eliminate data files." msgstr "" msgid "" -"

                                      The University of Guelph Library offers Resea" -"rch Data Management services that support researchers with the organizatio" -"n, management, dissemination, and preservation of their research data.

                                      -\n" -"

                                      Data deposited in the University of Guelph Research Data Repositories is as" -"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" -") to your data. The DOI can be used to cite, improve discovery, track usage an" -"d measure the impact of your data.

                                      -\n" -"

                                      Sharing data through a repository can also improve its discovery and dissem" -"ination since repository content is fully indexed and searchable in search eng" -"ines such as Google.

                                      -\n" -"

                                      For more information, contact us at lib.research@uoguelph.ca.

                                      " +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how and when informed consent is colle" +"cted during the data collection process. Examples include steps to gain writte" +"n or verbal consent, re-establishing consent at subsequent interviews, etc. " msgstr "" msgid "" -"

                                      The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" -"mans (Chapter 5) - D. Consen" -"t and Secondary Use of Identifiable Information for Research Purposes prov" -"ides detailed guidance related to secondary use of research data.

                                      -\n" -"

                                      Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" -"ng your data for secondary use including obtaining consent, conditions for sha" -"ring and anonymising data.

                                      " +"Provide the name, institutional affiliation, a" +"nd contact information of the person(s) who hold intellectual property rights " +"to the data." msgstr "" msgid "" -"

                                      Researchers should consult the Tri-Council Po" -"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" -"nformation on ethical obligations.

                                      -\n" -"

                                      The University of Guelph's Office of Research offers guidance related to&nb" -"sp;Ethics and Regulatory Compliance as well a" -"s Intellectual Property Policy.  -\n" -"

                                      The Office of Research also provides resources, training and detailed guida" -"nce related to research involving human participants through the Resear" -"ch Ethics/Protection of Human Participants webpage.

                                      -\n" -"

                                      Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

                                      -\n" -"

                                       

                                      -\n" -"

                                       

                                      " +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations are included as participants, outline specific guidelines that " +"are being followed to protect them (e.g., OCAP, community advisory bo" +"ards, etc.)." msgstr "" msgid "" -"

                                      Les Services informatiques ont une offr" -"e de services en soutien à la recherche. Ils peuvent vous aider à" -"; déterminer vos besoins de stockage et à mettre en place l&rsqu" -"o;infrastructure nécessaire à votre projet de recherche.

                                      " +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by funder, " +"institutional, or community agreements, among others." msgstr "" msgid "" -"

                                      Les Services informatiques peuvent vous" -" assister dans l'élaboration de votre stratégie de sauvegarde." +"List all the steps that will be taken to remov" +"e the risk of disclosing personal information from study participants. Include" +" information about keeping data safe and secure, and whether certain informati" +"on will be removed from the data. If data is being anonymized or de-identified" +", specify the information type(s) being altered (e.g., names, addresses, dates" +", location)." msgstr "" msgid "" -"

                                      Les Services informatiques offrent une solution locale de stockage et de pa" -"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" -"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" -"get=\"_blank\">Service OwnCloud.

                                      -\n" -"

                                      Les Services informatiques peuvent de p" -"lus vous aider à mettre au point les stratégies de collaboration" -" et de sécurité entre vos différents espaces de travail.<" -"/p>" +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include, but not be li" +"mited to personnel, storage requirements, software, or hardware." msgstr "" msgid "" -"

                                      Un professionnel de l’équipe de soutien à la gestion de" -"s données de recherche peut vous aider à identifier des dé" -";pôts pertinents pour vos données: gdr@uqam.ca.

                                      " +"Provide the name(s), affiliation(s), and conta" +"ct information for the main study contact." msgstr "" msgid "" -"

                                      La Politique de la recherche et de la cr&eacu" -"te;ation (Politique no 10) de l’UQAM souligne que « le par" -"tage des résultats de la recherche et de la création avec la soc" -"iété est une nécessité dans le cadre d’une p" -"olitique de la recherche publique » et que « l’UQAM" -" encourage tous les acteurs de la recherche et de la création et en par" -"ticulier les professeures et les professeurs à diffuser et transf&eacut" -"e;rer les résultats de leurs travaux au sein de la société" -"; ».

                                      -\n" -"

                                      La Déclaration de principes des trois organis" -"mes sur la gestion des données numériques n’indique pa" -"s quelles données doivent être partagées. Elle a pour obje" -"ctif « de promouvoir l’excellence dans les pratiques de gestio" -"n et d’intendance des données numériques de travaux de rec" -"herche financés par les organismes ». Il y est décrit" -" de quelle façon la  préservation, la conservation et le pa" -"rtage des données devraient être envisagés. À lire!" -"

                                      -\n" -"

                                      Suggestion: Voyez comment protéger vos données sensibles (der" -"nière section du plan: « Conformité aux lois et &agra" -"ve; l’éthique ») et partagez tout ce qui peut l'ê" -";tre, après une analyse coût-bénéfice.

                                      " +"Provide the name(s), affiliation(s), contact i" +"nformation, and responsibilities of each study team member in relation to work" +"ing with the study data. If working with institutional Information Technology " +"members, statisticians, or other stakeholders outside your immediate team, pro" +"vide their information as well." msgstr "" msgid "" -"

                                      Les Services informatiques peuvent vous" -" aider à déterminer les coûts de l'infrastructure né" -";cessaire à votre projet de recherche.

                                      " +"Describe the process by which new collaborator" +"s/team members will be added to the project, if applicable. Include the type(s" +") of responsibilities that may require new team members to be added during, or" +" after the project is complete." msgstr "" msgid "" -"

                                      Les Services informatiques ont produit un « Guide de bonnes prati" -"ques pour la sécurité informatique des données de recherc" -"he ».

                                      " +"Describe the intended audience for your data. " +"" msgstr "" msgid "" -"

                                      L’équipe de soutien à la gestion des données de " -"recherche peut vous mettre en relation avec des professionnels qualifié" -"s pour vous aider avec les questions d’ordre éthique, juridique e" -"t de propriété intellectuelle: gdr@uqam.ca.

                                      " +"Describe what data can/will be shared at the e" +"nd of the study. " msgstr "" msgid "" -"

                                      See more about best practices on file formats from the SFU Library.

                                      " +"Restrictions on data may include, but are not " +"limited to, the sensitivity of the data, data being acquired under license, or" +" data being restricted under a data use agreement. Describe what restrictions " +"(if any) apply to your research data. " msgstr "" msgid "" -"

                                      DDI is a common metadata standard for the social sciences. SFU Radar uses D" -"DI Codebook to describe data so other researchers can find it by searching a d" -"iscovery portal like Da" -"taCite.

                                      -\n" -"

                                      Read more about metadata standards: UK Digital Curation Centre's Disciplinary" -" Metadata.

                                      " +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," +" among others." msgstr "" msgid "" -"

                                      If paying for an external hosting service, you will need to keep paying for" -" it, or have some migration plan (e.g., depositing the data into a university " -"repository). SFU Vault or services like Sync may be an option f" -"or some projects.

                                      " +"If your data is restricted, describe how a res" +"earcher could access that data for secondary analysis. Examples of these proce" +"dures may include completing a Research Ethics Board application, signing a da" +"ta use agreement, submitting a proposal to a community advisory board, among o" +"thers. Be as specific as possible in this section." msgstr "" msgid "" -"
                                      Encrypting sensitive data is recommended. In almost case" -"s, full disk encryption is preferable; users apply a feature in the computer's oper" -"ating system to encrypt the entire disk. -\n" -"
                                       
                                      -\n" -"
                                      -\n" -"
                                      In Windows, encryption of your internal disk or USB driv" -"es can be performed by a service called BitLocker. In Mac OSX, disk" -" encryption can be performed by a service called FileVault. Documen" -"tation of these features is available from Microsoft or Apple. Full disk encry" -"ption is also available in Linux. Note that encrypting a USB drive may li" -"mit its usability across devices.
                                      -\n" -"
                                       
                                      -\n" -"
                                      Encrypted data is less likely to be " -"seen by an unauthorized person if the laptop/external drive is lost or st" -"olen. It's important to consider that merely \"deleti" -"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" -"ata from the computer, and even “secure deletion” tools are not co" -"mpletely effective on modern disks. Consider what security measures are necessary for han" -"dling sensitive data files and for decommissioning the computer disc " -";at the end of its use. -\n" -"
                                       
                                      -\n" -"
                                      -\n" -"
                                      For more information about securing sensitive research d" -"ata, consult with SFU's IT Services.
                                      " +"Select a license that best suits the parameter" +"s of how you would like to share your data, and how you would prefer to be cre" +"dited. See this resource to help you decide: https://creativecommons.or" +"g/choose/." msgstr "" msgid "" -"

                                      Consider contacting SFU Library Data Services to develop the best solution for y" -"our research project.

                                      " +"Describe the software/technology being develop" +"ed for this study, including its intended purpose." msgstr "" msgid "" -"

                                      If you need assistance locating a suitable data repository or archive, plea" -"se contact SFU Libr" -"ary Data Services. re3data.or" -"g is a directory of potential open data repositories.

                                      " +"Describe the underlying approach you will take" +" to the development and testing of the software/technology. Examples may inclu" +"de existing frameworks like the systems development life cycle
                                      , or user-centred design framework. If you intend to " +"develop your own approach, describe that approach here. " msgstr "" msgid "" -"

                                      Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" -"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" -" preservation-friendly files converted from one format to another may lose inf" -"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" -"ile), so changes to file formats should be documented, and you may want to ret" -"ain original formats, even if they are proprietary.

                                      " -msgstr "" - -msgid "" -"

                                      There are various creative commons licenses which can be applied to data. <" -"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" -"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" -" at SFU.

                                      " -msgstr "" - -msgid "" -"

                                      If possible, choose a repository like the Canadian Federated Research Data " -"Repository, FRDR for short,  that will assign a persistent identifier (such" -" as a DOI) to your dataset. This will ensure a stable access to the dataset an" -"d make it retrievable by various discovery tools. DataCite Search is a discov" -"ery portal for research data. If you deposit in SFU Radar or a repository inde" -"xed in the Re" -"gistry of Research Data Repositories, your records will appear in the port" -"al's keyword search results.

                                      " +"If you are using open source or existing softw" +"are/technology code to develop your own program, provide a citation of that so" +"ftware/technology if applicable. If a citation is unavailable, indicate the na" +"me of the software/technology, its purpose, and the software/technology licens" +"e. " msgstr "" msgid "" -"

                                      If you need advice on identifying potential support, contact data-services@" -"sfu.ca

                                      " +"Describe the methodology that will be used to " +"run and test the software/technology during the study. This may include: beta " +"testing measures, planned release dates, and maintenance of the software/techn" +"ology." msgstr "" msgid "" -"

                                      Decisions relevant to data retention and storage should align with SFU's Of" -"fice of Research Ethics requirements.

                                      " +"Describe the disability and accessibility guid" +"elines you will follow to ensure your software/technology is adaptable and usa" +"ble to persons with disabilities or accessibility issues. " msgstr "" msgid "" -"

                                      SFU's Office of Research Ethics' consent statement shou" -"ld be consulted when working with human participants.

                                      -\n" -"

                                      The Interuniversity Consortium f" -"or Political and Social Research (ISPSR) and the Australian National Data Service<" -"/a> also provide examples of informed consent language for data sharing.

                                      " +"Describe the requirements needed to support th" +"e software/technology used in the study. This may include: types of operating " +"systems, type of server required, infrastructure necessary to run the program " +"(e.g., SQL database), and the types of devices this software/technology can be" +" used with (e.g., web, mobile)." msgstr "" msgid "" -"

                                      The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" -"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" -"e of personal information collected in research projects. This does not mean, " -"however, that sensitive information collected as part of your research does no" -"t need to be safeguarded. Please refer to University Ethics Review (R 20." -"01).

                                      -\n" -"

                                      IP issues should be clarified at the commencement of your research proj" -"ect so that all collaborators have a mutual understanding of ownership, to pre" -"vent potential conflict later.

                                      " +"Consider what information might be useful to a" +"ccompany your software/technology if you were to share it with someone else. E" +"xamples may include documented code, user testing procedures, etc. This guide " +"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012).
                                      " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      For more information on file formats, see Concordia Library’s Research data management guide.

                                      -\n" -"
                                      " +"Consider the software/technology development p" +"hase and indicate any instructions that will accompany the program. Examples m" +"ight include test-first development procedures, user acceptance testing measur" +"es, etc." msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      For more information on metadata standards, see Concordia Library’s Re" -"search data management guide

                                      -\n" -"
                                      " +"Include information about any programs or step" +"s you will use to track the changes made to program source code. Examples migh" +"t include utilizing source control systems such as Git or Subversion to trac" +"k changes and manage library dependencies." msgstr "" msgid "" -"

                                      For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact the Concordia " -"IT Research Support Team.

                                      " +"Describe any plans to continue maintaining sof" +"tware/technology after project completion. Use this section to either describe" +" the ongoing support model, the intention to engage with industry, or plan to " +"apply for future funding." msgstr "" msgid "" -"

                                      For more information on data storage and backup, see Concordia Library&rsqu" -"o;s Research data management guide.

                                      -\n" -"

                                      For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

                                      " +"Include information about how the software/tec" +"hnology will remain secure over time. Elaborate on any encryption measures or " +"monitoring that will take place while maintaining the software/technology. " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      Datasets containing sensitive data or data files larger than 15MB should no" -"t be transferred via email.

                                      -\n" -"

                                      Please contact Concordia's IT Research Support Team for the exchan" -"ge of files with external organizations or for assistance with other issues re" -"lated to network services (connectivity with other external research centers o" -"r for high capacity, high volume data transfers).  

                                      -\n" -"
                                      " +"List the copyright holder of the software/tech" +"nology. See the Copyri" +"ght Guide for Scientific Software f" +"or reference." msgstr "" msgid "" -"

                                      For more information on data archiving options, see Concordia Library&rsquo" -";s Research data management guide.

                                      " +"Describe the license chosen for the software/t" +"echnology and its intended use. See list of license options here. " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      For more information, please contact copyright.questions@concordia.ca

                                      -\n" -"
                                      " +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the software/technology. If working with developers, computer scientists" +", or programmers outside your immediate team, provide their information as wel" +"l." msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      Although there are no absolute rules to determine the cost of data curation" -", some guidelines and tools have been developed to help researchers estimate t" -"hese costs. See for instance the information and tool " -"provided by the UK Data Service.

                                      -\n" -"

                                      Another version of this t" -"ool, with examples of actual costs (in Euros), was developed by librarians" -" and IT staff at Utrecht University.

                                      -\n" -"

                                      For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact Concordia's IT" -" Research Support Team.

                                      -\n" -"
                                      " +"Indicate the steps that are required to formal" +"ly approve a release of software/technology. " msgstr "" msgid "" -"

                                      The answer to this question must be in line with Concordia University&rsquo" -";s Policy for the Ethic" -"al Review of Research Involving Human Participants.

                                      -\n" -"

                                      The information provided here may be useful in completing section 13 (confi" -"dentiality, access, and storage) of the Summary Protoc" -"ol Form (SPF) for research involving human participants.

                                      -\n" -"

                                      For technical assistance, please contact Concordia's IT Research Suppo" -"rt Team.

                                      -\n" -"

                                      For questions concerning ethics, Concordia's Offi" -"ce of Research.

                                      " +"Describe who the intended users are of the sof" +"tware/technology being developed. " msgstr "" msgid "" -"

                                      The information provided here may also be useful in completing section 13 (" -"confidentiality, access, and storage) of the Summ" -"ary Protocol Form (SPF) for research involving human participants.

                                      " +"Describe the specific elements of the software" +"/technology that will be made available at the completion of the study. If the" +" underlying code will also be shared, please specify. " msgstr "" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                      -\n" -"

                                      Concordia University researchers must abide by the University’s policies related to research.

                                      -\n" -"

                                      Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" -"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" -"nbsp;

                                      -\n" -"

                                      For more information on intellectual property or copyright issues, please c" -"ontact copyright.questions@concordia.ca

                                      -\n" -"

                                      For more information on research ethics please contact Concordia's Office of Research.

                                      -\n" -"
                                      " +"Describe any restrictions that may prohibit th" +"e release of software/technology. Examples may include commercial restrictions" +", patent restrictions, or intellectual property rules under the umbrella of an" +" academic institution." msgstr "" msgid "" -"

                                      Research Data Manag" -"ement Guide

                                      " +"Provide the location of where you intend to sh" +"are your software/technology (e.g., app store, lab website, an industry partne" +"r). If planning to share underlying code, please indicate where that may be av" +"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." msgstr "" msgid "" -"Describe all types of data you will collect th" -"roughout the research process, with special attention paid to participant-driv" -"en data (e.g., written transcripts, video files, audio recordings, journals, a" -"rt, photographs, etc.)." +"Please describe the types of data you will gat" +"her across all phases of your study. Examples may include, but are not limited" +" to data collected from surveys, interviews, personas or user stories, images," +" user testing, usage data, audio/video recordings, etc." msgstr "" msgid "" "If you will be combining original research dat" -"a with existing, or previously used research data, describe those data here. P" -"rovide the name, location, URL, and date of the dataset(s) used. Describe any " -"end-user license assigned to the data, or terms of use you must abide by." +"a with existing licensed, restricted, or previously used research data, descri" +"be those data here. Provide the name, location, and date of the dataset(s) use" +"d. " msgstr "" msgid "" "Provide a description of any data collection i" "nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, interview guides, or focus group procedures" -". If using a pre-existing instrument or scale, provide the citation(s) in this" -" section." +"are not limited to questionnaires, assessment scales, or persona guides. If us" +"ing a pre-existing instrument or scale from another study, provide the citatio" +"n(s) in this section.
                                      " msgstr "" msgid "" -"Describe the frequency in which you will be co" -"llecting data from participants. If you are performing narrative inquiry or lo" -"ngitudinal data collection for example, how often will you gather data from th" -"e same participants?" +"Indicate how frequently you will be collecting" +" data from participants. For example, if you are conducting a series of user t" +"ests with the same participants each time, indicate the frequency here." msgstr "" msgid "" -"Provide an estimate of when you will begin and" -" conclude the data collection process. List this information in the following " -"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" -"/MM - YYYY/MM instead." +"Indicate the broader geographic location and s" +"etting where data will be gathered." msgstr "" msgid "" -"Provide a description of the environment and g" -"eographic location of where data will be gathered, within the context of the s" -"tudy (e.g., hospital setting, long-term care setting, community). Include nati" -"onal, provincial, or municipal locations if applicable." +"Utilize this section to include a descriptive " +"overview of the procedures involved in the data collection process. This may i" +"nclude but not be limited to recruitment, screening, information dissemination" +", and the phases of data collection (e.g., participant surveys, user acceptanc" +"e testing, etc.). " msgstr "" msgid "" -"

                                      Summarize the steps that are involved in th" -"e data collection process for your study. This section should include informat" -"ion about screening and recruitment, the informed consent process, information" -" disseminated to participants before data collection, and the methods by which" -" data is gathered. 

                                      -\n" -"
                                      -\n" -"

                                      In this section, consider including documen" -"tation such as your study protocol, interview guide, questionnaire, etc.

                                      " +"Include the name and version of any software p" +"rograms used to collect data in the study. If homegrown software/technology is" +" being used, describe it and list any dependencies associated with running tha" +"t program." msgstr "" msgid "" -"Include a description of any software that wil" -"l be used to gather data. Examples may include but are not limited to word pro" -"cessing programs, survey software, and audio/video recording tools. Provide th" -"e version of each software program used if applicable." -msgstr "" - -msgid "" -"List the file formats associated with each sof" -"tware program that will be generated during the data collection phase (e.g., ." -"txt, .csv, .mp4, .wav)." +"List any of the output files formats from the " +"software programs listed above." msgstr "" msgid "" "Provide a description of how you will track ch" -"anges made to any data analysis files. Examples might include any audit trail " -"steps, or versioning systems that you follow during the data analysis process." -"" +"anges made to any data analysis files. An example of this might include your a" +"udit trails or versioning systems that you will follow iterations of the data " +"during the analysis process.
                                      " msgstr "" msgid "" -"Include any software programs you plan to use " -"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" -"tc.). Include the version if applicable." +"Describe the software you will use to perform " +"any data analysis tasks associated with your study, along with the version of " +"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." msgstr "" msgid "" "List the file formats associated with each ana" "lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx). " +" .xsls, .docx).
                                      " msgstr "" msgid "" -"Include the coding scheme used to analyze your" -" data -- consider providing a copy of your codebook. If other methods of analy" -"sis were performed, describe them here. " +"Include any code or coding schemes used to per" +"form data analysis. Examples in this section could include codebooks for analy" +"zing interview transcripts from user testing, code associated with the functio" +"nal/non-functional requirements of the software/technology program, or analyti" +"cal frameworks used for evaluation." msgstr "" msgid "" -"Outline the steps that will be taken to ensure" -" the quality and transparency during the data analysis process. In this sectio" -"n, describe procedures for cleaning data, contacting participants to clarify r" -"esponses, and correcting data when errors are identified. Consider the princip" -"les of credibility, dependability, confirmability, and transferability as desc" -"ribed in Lincoln and Guba, 1985 when completing this section.
                                      " +"Use this section to describe any quality revie" +"w schedules, double coding measures, inter-rater reliability, quality review s" +"chedules, etc. that you intend to implement in your study." msgstr "" msgid "" "Consider what information might be useful to a" "ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, codebook, information about software used, question" -"naires, user guide for the data, etc.)." +"protocol, interview guide, personas, user testing procedures, data collection " +"instruments, or software dependencies, etc.).
                                      " msgstr "" msgid "" -"Metadata standards can provide guidance on how" -" best to document your data. If you do not know of any existing standards in y" -"our field, visit this website to search for available standards: https://fairshari" -"ng.org/." +"Describe the target population for which the s" +"oftware/technology is being developed (i.e., end users)." msgstr "" msgid "" -"Describe the participants whose lived experien" -"ces/phenomena are being studied in this project." +"Describe the processes used to sample the popu" +"lation (e.g., convenience, snowball, purposeful, etc.)." msgstr "" msgid "" -"Provide a brief description of the sampling pr" -"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" -"." +"For any data gathered, list the variables bein" +"g studied. For each variable, include the variable name, explanatory informati" +"on, variable type, and values associated with each variable. Examples may incl" +"ude demographic characteristics of stakeholders, components of the software/te" +"chnology program’s functional and nonfunctional requirements, etc. See g" +"uidance on how to create a" +" data dictionary." msgstr "" msgid "" -"Outline any weighting or representative sampli" -"ng that is being applied in this study." +"Create a glossary of all acronyms or abbreviat" +"ions used within your study. " msgstr "" msgid "" -"Provide a glossary of any acronyms or abbrevia" -"tions used within your study." +"Provide an estimate of how much data you will " +"collect for all data in the form of terabytes, gigabytes, or megabytes as need" +"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" +"equired for video files, 500 MB for survey data). " msgstr "" msgid "" -"Provide an estimate of how much data you will " -"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" -"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" -"r interview transcripts)." +"Indicate where and how data will be stored dur" +"ing data collection. Examples may include storing data in secure, password pro" +"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" +"p), hard copies stored in locked filing cabinets, external hard drives, etc." msgstr "" msgid "" -"Describe where your data will be stored while " -"data is being gathered from participants (e.g., in a secure, password protecte" -"d computer file, hard copies stored in locked filing cabinets, or institutiona" -"l computer storage)." +"If different from above, indicate where data i" +"s stored during the data analysis process. If data is being sent to external l" +"ocations for analysis by a statistician, describe that process here." msgstr "" msgid "" -"If different from the above, describe where yo" -"ur data will be stored while performing data analysis." +"Indicate the security measures used to protect" +" participant identifying data. Examples may include storing informed consent f" +"orms separately from anonymized data, password protecting files, locking unuse" +"d computers, and restricting access to data that may contain identifying infor" +"mation. " msgstr "" msgid "" -"Describe how your study data will be regularly" -" saved and updated. If using institutional servers, consult with your Informat" -"ion Technology department if you are unsure how frequently data is backed up.<" -"/span>" +"List any specific file naming conventions used" +" throughout the study. Provide examples of this file naming convention in the " +"text indicating the context for each part of the file name. See file naming gu" +"idance here<" +"/span>." msgstr "" msgid "" -"Outline the procedures that will safeguard sen" -"sitive data collected during your study. This may include storing identifying " -"data (consent forms) separately from anonymized data (audio files or transcrip" -"ts), keeping files password protected and secure, and only providing access to" -" investigators analyzing the data." +"Describe how your study data will be regularly" +" saved, backed up, and updated. If using institutional servers, consult with y" +"our Information Technology department to find out how frequently data is backe" +"d up." msgstr "" msgid "" -"Provide examples of a consistent file naming c" -"onvention that will be used for this study. Examples of file names might inclu" -"de the type of file, participant number, date of interaction, and/or study pha" -"se. Follow t" -"his guide for more information on f" -"ile naming." +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how informed consent is collected, and" +" at which phases of the data collection process. Examples include steps to gai" +"n written or verbal consent, re-establishing consent at subsequent points of c" +"ontact, etc. " msgstr "" msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, external data repository" -", in secure, institutional computer" -" storage, or external hard drive)." +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations were studied, outline specific guidelines that are being follow" +"ed to protect participants (e.g., " +"OCAP, community advisory boards, et" +"c.)." msgstr "" msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation(s) and contact" -" information." +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by a funder" +", institution, collaboration or commercial agreement. " msgstr "" msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened i" -"n any program. Describe the process for migrating any data formats here." +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include personnel, sto" +"rage requirements, software, hardware, etc." msgstr "" msgid "" -"Provide details on how long you plan to keep y" -"our data after the project, and list any requirements you must follow based on" -" Research Ethics Board guidelines, data use agreements, or funder requirements" -". " +"Provide the name(s), affiliation, and contact " +"information for the main study contact." msgstr "" msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include shredding physical documents, making data u" -"nretrievable with support from your Information Technology department, or othe" -"r personal measures to eliminate data files." +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the study data. " msgstr "" msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how and when informed consent is colle" -"cted during the data collection process. Examples include steps to gain writte" -"n or verbal consent, re-establishing consent at subsequent interviews, etc. " +"Describe who the intended users are of the dat" +"a. Consider that those who would benefit most from your data may differ from t" +"hose who would benefit from the software/technology developed. " msgstr "" msgid "" -"Provide the name, institutional affiliation, a" -"nd contact information of the person(s) who hold intellectual property rights " -"to the data." +"Outline the specific data that can be shared a" +"t the completion of the study. Be specific about the data (e.g., from surveys," +" user testing, app usage, interviews, etc.) and what can be shared." msgstr "" msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations are included as participants, outline specific guidelines that " -"are being followed to protect them (e.g., OCAP, community advisory bo" -"ards, etc.)." +"Describe any restrictions that may prohibit th" +"e sharing of data. Examples may include holding data that has confidentiality," +" license, or intellectual property restrictions, are beholden to funder requir" +"ements, or are subject to a data use agreement." msgstr "" msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by funder, " -"institutional, or community agreements, among others." +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, via community approval, or through you" +"r Research Ethics Board." msgstr "" msgid "" -"List all the steps that will be taken to remov" -"e the risk of disclosing personal information from study participants. Include" -" information about keeping data safe and secure, and whether certain informati" -"on will be removed from the data. If data is being anonymized or de-identified" -", specify the information type(s) being altered (e.g., names, addresses, dates" -", location)." +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, an external data reposit" +"ory, a secure institutional compute" +"r storage, or an external hard drive)." msgstr "" msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include, but not be li" -"mited to personnel, storage requirements, software, or hardware." +"Name the person(s) responsible for managing th" +"e data at the completion of the project. List their affiliation and contact in" +"formation." msgstr "" msgid "" -"Provide the name(s), affiliation(s), and conta" -"ct information for the main study contact." +"Many proprietary file formats such as those ge" +"nerated from Microsoft software or statistical analysis tools can make the dat" +"a difficult to access later on. Consider transforming any proprietary files in" +"to preservation-friendly formats<" +"/span> to ensure your data can be opened. " +"Describe the process for migrating your data formats here." msgstr "" msgid "" -"Provide the name(s), affiliation(s), contact i" -"nformation, and responsibilities of each study team member in relation to work" -"ing with the study data. If working with institutional Information Technology " -"members, statisticians, or other stakeholders outside your immediate team, pro" -"vide their information as well." +"Describe what steps will be taken to destroy s" +"tudy data. These steps may include but are not limited to shredding physical d" +"ocuments, making data unretrievable with support from your Information Technol" +"ogy department, or personal measures to eliminate data files." msgstr "" msgid "" -"Describe the process by which new collaborator" -"s/team members will be added to the project, if applicable. Include the type(s" -") of responsibilities that may require new team members to be added during, or" -" after the project is complete." +"Drawings, songs, poems, films, short stories, " +"performances, interactive installations, and social experiences facilitated by" +" artists are examples of data. Data on " +"artistic processes can include documentation of techniques, stages, and contex" +"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" +"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" +" create artwork. Other types of data ar" +"e audio recordings of interviews, transcripts, photographs, videos, field note" +"s, historical documents, social media posts, statistical spreadsheets, and com" +"puter code." msgstr "" msgid "" -"Describe the intended audience for your data. " -"" +"Artwork is a prominent type of data in ABR tha" +"t is commonly used as content for analysis and interpretation. Artworks that e" +"xist as, or are documented in, image, audio, video, text, and other types of d" +"igital files facilitate research data management. The same applies to preparat" +"ory, supplemental, and discarded artworks made in the creation of a principal " +"one. Research findings you create in the form of artwork can be treated as dat" +"a if you will make them available for researchers, artists, and/or the public " +"to use as data. Information about artistic processes can also be data. Read mo" +"re on artwork and artistic processes as data at Kultur II Group and Jisc." msgstr "" msgid "" -"Describe what data can/will be shared at the e" -"nd of the study. " +"Researchers and artists can publish their data" +" for others to reuse. Research data repositories and government agencies are s" +"ources of published data (e.g., Federated Research Data Repository, Statistics Canada). Your university may have its own research data repo" +"sitory. Academic journals may host published data as supplementary material co" +"nnected to their articles. If you need help finding resources for published da" +"ta, contact your institution’s library or reach out to the Portage DMP C" +"oordinator at support@portagenetwor" +"k.ca." msgstr "" msgid "" -"Restrictions on data may include, but are not " -"limited to, the sensitivity of the data, data being acquired under license, or" -" data being restricted under a data use agreement. Describe what restrictions " -"(if any) apply to your research data. " +"Non-digital data should be digitized when poss" +"ible. Digitization is needed for many reasons, including returning artwork to " +"participants, creating records of performances, and depositing data in a repos" +"itory for reuse. When planning your documentation, consider what conditions (e" +".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," +" software (e.g., video editing program), and specialized skills (e.g., filming" +" techniques, image-editing skills) you will need. High quality documentation w" +"ill make your data more valuable to you and others." msgstr "" msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," -" among others." +"

                                      Open (i.e., non-proprietary) file formats a" +"re preferred when possible because they can be used by anyone, which helps ens" +"ure others can access and reuse your data in the future. However, proprietary " +"file formats may be necessary for certain arts-based methods because they have" +" special capabilities for creating and editing images, audio, video, and text." +" If you use proprietary file formats, try to select industry-standard formats " +"(i.e., those widely used by a given community) or those you can convert to ope" +"n ones. UK Data Service<" +"/a> provides a table of recommended and accept" +"able file formats for various types of data.

                                      \n" +"
                                      Original files of artwork and its docume" +"ntation should be in uncompressed file formats to maximize data quality. Lower" +" quality file formats can be exported from the originals for other purposes (e" +".g., presentations). Read more on file formats at
                                      UBC Library or UK Data Service." msgstr "" msgid "" -"If your data is restricted, describe how a res" -"earcher could access that data for secondary analysis. Examples of these proce" -"dures may include completing a Research Ethics Board application, signing a da" -"ta use agreement, submitting a proposal to a community advisory board, among o" -"thers. Be as specific as possible in this section." +"Good data organization includes logical folder" +" hierarchies, informative and consistent naming conventions, and clear version" +" markers for files. File names should contain information (e.g., date stamps, " +"participant codes, version numbers, location, etc.) that helps you sort and se" +"arch for files and identify the content and right versions of files. Version c" +"ontrol means tracking and organizing changes to your data by saving new versio" +"ns of files you modified and retaining the older versions. Good data organizat" +"ion practices minimize confusion when changes to data are made across time, fr" +"om different locations, and by multiple people. Read more on file naming and v" +"ersion control at UBC Library, University of Leicester," +" and UK Data Service." msgstr "" msgid "" -"Select a license that best suits the parameter" -"s of how you would like to share your data, and how you would prefer to be cre" -"dited. See this resource to help you decide: https://creativecommons.or" -"g/choose/." +"A poem written to analyze a transcript could b" +"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " +"the interview with participant 05. Revisions to the poem could be marked with " +"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." msgstr "" msgid "" -"Describe the software/technology being develop" -"ed for this study, including its intended purpose." +"Project-level metadata can include basic infor" +"mation about your project (e.g., title, funder, principal investigator, etc.)," +" research design (e.g., background, research questions, aims, artists or artwo" +"rk informing your project, etc.) and methodology (e.g., description of artisti" +"c process and materials, interview guide, transcription process, etc.). Item-l" +"evel metadata should include basic information about artworks and their docume" +"ntation (e.g., creator, date, subject, copyright, file format, equipment used " +"for documentation, etc.)." msgstr "" msgid "" -"Describe the underlying approach you will take" -" to the development and testing of the software/technology. Examples may inclu" -"de existing frameworks like the systems development life cycle
                                      , or user-centred design framework. If you intend to " -"develop your own approach, describe that approach here. " +"

                                      Cornell University defines metadata as “documentation that describes data” " +"(see also Concordia University Library). Creating good metadata includes providing inf" +"ormation about your project as well as each item in your database, and any oth" +"er contextual information needed for you and others to interpret and reuse you" +"r data in the future. CESSDA and UK Data Service<" +"/a> provide examples of project- and item-leve" +"l metadata. Because arts-based methods tend to be customized and fluid, descri" +"bing them in your project-level metadata is important.

                                      " msgstr "" msgid "" -"If you are using open source or existing softw" -"are/technology code to develop your own program, provide a citation of that so" -"ftware/technology if applicable. If a citation is unavailable, indicate the na" -"me of the software/technology, its purpose, and the software/technology licens" -"e. " +"Dublin Core and DDI are two widely used general metadata standards. Disc" +"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" +" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" +"tadata standards they use." msgstr "" msgid "" -"Describe the methodology that will be used to " -"run and test the software/technology during the study. This may include: beta " -"testing measures, planned release dates, and maintenance of the software/techn" -"ology." +"A metadata standard is a set of established ca" +"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" +"ne-readable, which is essential for depositing data in repositories and making" +" them easily discoverable by search engines. While no specific metadata standa" +"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" +"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" +"ntact your institution’s library or reach out to the Portage DMP Coordin" +"ator at support@portagenetwork.ca." msgstr "" msgid "" -"Describe the disability and accessibility guid" -"elines you will follow to ensure your software/technology is adaptable and usa" -"ble to persons with disabilities or accessibility issues. " +"One way to record metadata is to place it in a" +" separate text file (i.e., README file) that will accompany your data and to u" +"pdate it throughout your project. Cornell University provides a README file template you can " +"adapt. You can also embed item-level metadata in certain files, such as placin" +"g contextual information and participant details for an interview in a summary" +" page at the beginning of a transcript. Creating a data list, a spreadsheet th" +"at collects all your item-level metadata under key categories, will help you a" +"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." msgstr "" msgid "" -"Describe the requirements needed to support th" -"e software/technology used in the study. This may include: types of operating " -"systems, type of server required, infrastructure necessary to run the program " -"(e.g., SQL database), and the types of devices this software/technology can be" -" used with (e.g., web, mobile)." +"Creating metadata should not be left to the en" +"d of your project. A plan that lays out how, when, where, and by whom metadata" +" will be captured during your project will help ensure your metadata is accura" +"te, consistent, and complete. You can draw metadata from files you have alread" +"y created or will create for your project (e.g., proposals, notebooks, intervi" +"ew guides, file properties of digital images). If your arts-based methods shif" +"t during your project, make sure to record these changes in your metadata. The" +" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" +"on markers)." msgstr "" msgid "" -"Consider what information might be useful to a" -"ccompany your software/technology if you were to share it with someone else. E" -"xamples may include documented code, user testing procedures, etc. This guide " -"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." +"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" +"tc., and for how long this storage will need to be active. Take into account f" +"ile size, file versions, backups, and the growth of your data, if you will cre" +"ate and/or collect data over several months or years." msgstr "" msgid "" -"Consider the software/technology development p" -"hase and indicate any instructions that will accompany the program. Examples m" -"ight include test-first development procedures, user acceptance testing measur" -"es, etc." +"

                                      Digital data can be stored on optical or ma" +"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" +"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" +"). Each storage method has pros and cons you should consider. Having multiple " +"copies of your data and not storing them all in the same physical location red" +"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" +" three copies of your data; store the copies on two different media; keep one " +"backup copy offsite. A regular backup schedule reduces the risk of losing rece" +"nt versions of your data. 

                                      \n" +"Securely accessible servers or cloud-based env" +"ironments with regular backup processes are recommended for your offsite backu" +"p copy; however, you should know about the consequences of storing your data o" +"utside of Canada, especially in relation to privacy. Data stored in different " +"countries is subject to their laws, which may differ from those in Canada. Ens" +"ure your data storage and backup methods align with any requirements of your f" +"under, institution, and research ethics office. Read more on storage and backu" +"p practices at the U" +"niversity of Sheffield Library and UK Data Service" msgstr "" msgid "" -"Include information about any programs or step" -"s you will use to track the changes made to program source code. Examples migh" -"t include utilizing source control systems such as Git or Subversion to trac" -"k changes and manage library dependencies." +"Many universities offer networked file storage" +" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" +"utions a modest amount of storage and other cloud resources for free. Contact " +"your institution’s IT services to find out what secure data storage serv" +"ices are available to you." msgstr "" msgid "" -"Describe any plans to continue maintaining sof" -"tware/technology after project completion. Use this section to either describe" -" the ongoing support model, the intention to engage with industry, or plan to " -"apply for future funding." +"Describe how you will store your non-digital d" +"ata and what you will need to do so (e.g., physical space, equipment, special " +"conditions). Include where you will store these data and for how long. Ensure " +"your storage methods for non-digital data align with any requirements of your " +"funder, institution, and research ethics office." msgstr "" msgid "" -"Include information about how the software/tec" -"hnology will remain secure over time. Elaborate on any encryption measures or " -"monitoring that will take place while maintaining the software/technology. " +"

                                      Research team members, other collaborators," +" participants, and independent contractors (e.g., transcriptionists, videograp" +"hers) are examples of individuals who can transfer, access, and modify data in" +" your project, often from different locations. Ideally, a strategy for these a" +"ctivities facilitates cooperation, ensures data security, and can be adopted w" +"ith minimal instructions or training. If applicable, your strategy should addr" +"ess how raw data from portable recording devices will be transferred to your p" +"roject database (e.g., uploading raw video data within 48 hours, then erasing " +"the camera).

                                      \n" +"

                                      Relying on email to transfer data is not a " +"robust or secure solution, especially for exchanging large files or artwork, t" +"ranscripts, and other data with sensitive information. Third-party commercial " +"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" +"ls, but may not be permanent or secure, and are often located outside Canada. " +"Contact your librarian and IT services to develop a solution for your project." +"

                                      " msgstr "" msgid "" -"List the copyright holder of the software/tech" -"nology. See the Copyri" -"ght Guide for Scientific Software f" -"or reference." +"

                                      Preservation means storing data in ways tha" +"t make them accessible and reuseable to you and others long after your project" +" ends (for more, see Ghent " +"University). Many factors inform pr" +"eservation, including policies of funding agencies and academic publishers, an" +" understanding of the enduring value of a dataset, and ethical frameworks info" +"rming a project (e.g., making artwork co-created with community members access" +"ible to their community). 

                                      \n" +"Creating a “living will” for your " +"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" +"ing how future researchers, artists, and others will be able to access and reu" +"se your data. If applicable, consider the needs of participants and collaborat" +"ors who will co-create and/or co-own artwork and other data. Your “livin" +"g will” can address where you will store your data, how they will be acc" +"essed, how long they will be accessible for, and how much digital storage spac" +"e you will need." msgstr "" msgid "" -"Describe the license chosen for the software/t" -"echnology and its intended use. See list of license options here. " +"Deposit in a data repository is one way to pre" +"serve your data, but keep in mind that not all repositories have a preservatio" +"n mandate. Many repositories focus on sharing data, not preserving them, meani" +"ng they will store and make your data accessible for a few years, but not long" +" term. It can be difficult to distinguish repositories with preservation servi" +"ces from those without, so carefully read the policies of repositories you are" +" considering for preservation and, if possible, before your project begins. If" +" you need or want to place special conditions on your data, check if the repos" +"itory will accommodate them and, if so, get written confirmation. Read more on" +" choosing a repository at OpenAIRE." msgstr "" msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the software/technology. If working with developers, computer scientists" -", or programmers outside your immediate team, provide their information as wel" -"l." +"

                                      Data repositories labelled as “truste" +"d” or “trustworthy” indicate they have met high standards fo" +"r receiving, storing, accessing, and preserving data through an external certi" +"fication process. Two certifications are Trustworthy Digital Repository an" +"d CoreTrustSeal

                                      " +" \n" +"A repository that lacks certification may stil" +"l be a valid preservation option. Many established repositories in Canada have" +" not gone through a certification process yet. For repositories without certif" +"ication, you can evaluate their quality by comparing their policies to the sta" +"ndards of a certification. Read more on trusted data repositories at the University" +" of Edinburgh and OpenAIRE." msgstr "" msgid "" -"Indicate the steps that are required to formal" -"ly approve a release of software/technology. " +"Open file formats are considered preservation-" +"friendly because of their accessibility. Proprietary file formats are not opti" +"mal for preservation because they can have accessibility barriers (e.g., needi" +"ng specialized licensed software to open). Keep in mind that preservation-frie" +"ndly files converted from one format to another may lose information (e.g., co" +"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" +"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." msgstr "" msgid "" -"Describe who the intended users are of the sof" -"tware/technology being developed. " +"Converting to preservation-friendly file forma" +"ts, checking for unintended changes to files, confirming metadata is complete," +" and gathering supporting documents are practices, among others, that will hel" +"p ensure your data are ready for preservation." msgstr "" msgid "" -"Describe the specific elements of the software" -"/technology that will be made available at the completion of the study. If the" -" underlying code will also be shared, please specify. " +"Sometimes non-digital data cannot be digitized" +" or practical limitations (e.g., cost) prevent them from being digitized. If y" +"ou want others to access and reuse your non-digital data, consider where they " +"will be stored, how they will be accessed, and how long they will be accessibl" +"e for. Sometimes, you can deposit your data in an archive, which will take res" +"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" +"er community centre) take responsibility for preservation, describe how your n" +"on-digital data will be protected from physical deterioration over time. Make " +"sure to incorporate non-digital data into the “living will” for yo" +"ur data. Contact the archives at your institution for help developing a preser" +"vation strategy for non-digital data. Read more on preserving non-digital data" +" at Radboud University." msgstr "" msgid "" -"Describe any restrictions that may prohibit th" -"e release of software/technology. Examples may include commercial restrictions" -", patent restrictions, or intellectual property rules under the umbrella of an" -" academic institution." +"Certain data may not have long-term value, may" +" be too sensitive for preservation, or must be destroyed due to data agreement" +"s. Deleting files from your computer is not a secure method of data disposal. " +"Contact your IT services, research ethics office, and/or privacy office to fin" +"d out how you can securely destroy your data. Read more on secure data disposa" +"l at UK Data Service." msgstr "" msgid "" -"Provide the location of where you intend to sh" -"are your software/technology (e.g., app store, lab website, an industry partne" -"r). If planning to share underlying code, please indicate where that may be av" -"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." +"

                                      Your shared data can be in different forms:" +"

                                      \n" +"
                                        \n" +"
                                      • Raw data are the original, unaltered data obtained directly from data collect" +"ion methods (e.g., image files from cameras, audio files from digital recorder" +"s). In the context of your project, published data you reuse count as raw data" +".
                                      • \n" +"
                                      • Processed data are raw data that have been modified to, for example, prepare " +"for analysis (e.g., removing video that will not be analyzed) or de-identify p" +"articipants (e.g., blurring faces, cropping, changing voices). 
                                      • \n" +"
                                      • Analyzed data are the results of arts-based, qualitative, or quantitative ana" +"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" +"ams, graphs, charts, and statistical tables.
                                      • \n" +"
                                      • Final data are copies of " +"raw, processed, or analyzed data you are no longer working with. These copies " +"may have been migrated or transformed from their original file formats into pr" +"eservation-friendly formats.
                                      • \n" +"
                                      " msgstr "" msgid "" -"Please describe the types of data you will gat" -"her across all phases of your study. Examples may include, but are not limited" -" to data collected from surveys, interviews, personas or user stories, images," -" user testing, usage data, audio/video recordings, etc." +"Sharing means making your data available to pe" +"ople outside your project (for more, see Ghent University and Iowa State University)." +" Of all the types of data you will create and/or collect (e.g., artwork, field" +" notes), consider which ones you need to share to fulfill institutional or fun" +"ding policies, the ethical framework of your project, and other requirements a" +"nd considerations. You generally need participant consent to share data, and y" +"our consent form should state how your data will be shared, accessed, and reus" +"ed." msgstr "" msgid "" -"If you will be combining original research dat" -"a with existing licensed, restricted, or previously used research data, descri" -"be those data here. Provide the name, location, and date of the dataset(s) use" -"d. " +"Describe which forms of data (e.g., raw, proce" +"ssed) you will share with restricted access due to confidentiality, privacy, i" +"ntellectual property, and other legal or ethical considerations and requiremen" +"ts. Remember to inform participants of any restrictions you will implement to " +"protect their privacy and to state them on your consent form. Read more on res" +"tricted access at University of Yo" +"rk." msgstr "" msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, assessment scales, or persona guides. If us" -"ing a pre-existing instrument or scale from another study, provide the citatio" -"n(s) in this section." +"

                                      List the owners of the data in your project" +" (i.e., those who hold the intellectual property rights), such as you, collabo" +"rators, participants, and the owners of published data you will reuse. Conside" +"r how ownership will affect the sharing and reuse of data in your project. For" +" example, existing licenses attached to copyrighted materials that you, collab" +"orators, or participants incorporate into new artwork may prevent its sharing " +"or allow it with conditions, like creator attribution, non-commercial use, and" +" restricted access.

                                      " msgstr "" msgid "" -"Indicate how frequently you will be collecting" -" data from participants. For example, if you are conducting a series of user t" -"ests with the same participants each time, indicate the frequency here." +"Several types of standard licenses are availab" +"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" +"andard license rather than a custom-made one. If you make your data part of th" +"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" +" Curation Centre. " msgstr "" msgid "" -"Indicate the broader geographic location and s" -"etting where data will be gathered." +"Include a copy of your end-user license here. " +"Licenses set out how others can use your data. Funding agencies and/or data re" +"positories may have end-user license requirements in place; if not, they may b" +"e able to guide you in developing a license. Only the intellectual property ri" +"ghts holder(s) of the data you want to share can issue a license, so it is cru" +"cial to clarify who holds those rights. Make sure the terms of use of your end" +"-user license fulfill any legal and ethical obligations you have (e.g., consen" +"t forms, copyright, data sharing agreements, etc.)." msgstr "" msgid "" -"Utilize this section to include a descriptive " -"overview of the procedures involved in the data collection process. This may i" -"nclude but not be limited to recruitment, screening, information dissemination" -", and the phases of data collection (e.g., participant surveys, user acceptanc" -"e testing, etc.). " +"Many Canadian postsecondary institutions use D" +"ataverse, a popular data repository platform for survey data and qualitative t" +"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" +"s, built-in data citations, file versioning, customized terms of use, and assi" +"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" +" identifier that provides a stable link to your data. Try to choose repositori" +"es that assign persistent identifiers. Contact your institution’s librar" +"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" +"ble to you, or for help locating another repository that meets your needs. You" +" can also check out re3data.org, a dire" +"ctory of data repositories that includes arts-specific ones.
                                      " msgstr "" msgid "" -"Include the name and version of any software p" -"rograms used to collect data in the study. If homegrown software/technology is" -" being used, describe it and list any dependencies associated with running tha" -"t program." +"

                                      Researchers can find data through data repo" +"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" +"r data through a data repository is recommended because it enhances the discov" +"erability of your data in the research community. You can also cite your depos" +"ited data the same way you would cite a publication, by including a link in th" +"e citation. Read more on data citation at UK Data Service<" +"/span> and Digi" +"tal Curation Centre \n" +"

                                      The best ways to let artists and the public" +" know about your data may not mirror those of researchers. Social media, artis" +"tic organizations, and community partners may be options. For more help making" +" your data findable, contact your institution’s library or the Portage D" +"MP Coordinator at support@portagene" +"twork.ca.  

                                      " msgstr "" msgid "" -"List any of the output files formats from the " -"software programs listed above." -msgstr "" - -msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. An example of this might include your a" -"udit trails or versioning systems that you will follow iterations of the data " -"during the analysis process." +"

                                      Research data management is often a shared " +"responsibility, which can involve principal investigators, co-investigators, c" +"ollaborators, graduate students, data repositories, etc. Describe the roles an" +"d responsibilities of those who will carry out the activities of your data man" +"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" +"o can conduct these activities in relation to data management expertise, time " +"commitment, training needed to carry out tasks, and other factors.

                                      " msgstr "" msgid "" -"Describe the software you will use to perform " -"any data analysis tasks associated with your study, along with the version of " -"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." +"Expected and unexpected changes to who manages" +" data during your project (e.g., a student graduates, research staff turnover)" +" and after (e.g., retirement, death, agreement with data repository ends) can " +"happen. A succession plan details how research data management responsibilitie" +"s will transfer to other individuals or organizations. Consider what will happ" +"en if the principal investigator, whether you or someone else, leaves the proj" +"ect. In some instances, a co-investigator or the department or division overse" +"eing your project can assume responsibility. Your post-project succession plan" +" can be part of the “living will” for your data." msgstr "" msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx)." +"Know what resources you will need for research" +" data management during and after your project and their estimated cost as ear" +"ly as possible. For example, transcription, training for research team members" +", digitizing artwork, cloud storage, and depositing your data in a repository " +"can all incur costs. Many funding agencies provide financial support for data " +"management, so check what costs they will cover. Read more on costing data man" +"agement at Digital Curati" +"on Centre and OpenAIRE." msgstr "" msgid "" -"Include any code or coding schemes used to per" -"form data analysis. Examples in this section could include codebooks for analy" -"zing interview transcripts from user testing, code associated with the functio" -"nal/non-functional requirements of the software/technology program, or analyti" -"cal frameworks used for evaluation." +"Research data management policies can be set b" +"y funders, postsecondary institutions, legislation, communities of researchers" +", and research data management specialists. List policies relevant to managing" +" your data, including those of your institution and the Tri-Agency Research Da" +"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" +"inks to these policies. " msgstr "" msgid "" -"Use this section to describe any quality revie" -"w schedules, double coding measures, inter-rater reliability, quality review s" -"chedules, etc. that you intend to implement in your study." +"

                                      Compliance with privacy and copyright law i" +"s a common issue in ABR and may restrict what data you can create, collect, pr" +"eserve, and share. Familiarity with Canadian copyright law is especially impor" +"tant in ABR (see Copyright Act of Canada, Can" +"adian Intellectual Property Office," +" Éducaloi, and Artists’ Legal Out" +"reach). Obtaining permissions is ke" +"y to managing privacy and copyright compliance and will help you select or dev" +"elop an end-user license. 

                                      \n" +"It is also important to know about ethical and" +" legal issues pertaining to the cultural context(s) in which you do ABR. For e" +"xample, Indigenous data sovereignty and governance are essential to address in" +" all aspects of research data management in projects with and affecting First " +"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" +"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" +"xperts at your institution can help you address ethical and legal issues, such" +" as those at your library, privacy office, research ethics office, or copyrigh" +"t office." msgstr "" msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, personas, user testing procedures, data collection " -"instruments, or software dependencies, etc.)." +"Obtaining permissions to create, document, and" +" use artwork in ABR can be complex when, for example, non-participants are dep" +"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" +"ved from other copyrighted work (e.g., collages made of photographs, remixed s" +"ongs). Consider creating a plan describ" +"ing how you will obtain permissions for your project. It should include what y" +"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" +" permission is needed for what you want to do; and, if granted, what the condi" +"tions are. " msgstr "" msgid "" -"Describe the target population for which the s" -"oftware/technology is being developed (i.e., end users)." +"Security measures for sensitive data include p" +"assword protection, encryption, and limiting physical access to storage device" +"s. Sensitive data should never be shared via email or cloud storage services n" +"ot approved by your research ethics office. Security measures for sensitive no" +"n-digital data include storage under lock and key, and logging removal and ret" +"urn of artwork from storage." msgstr "" msgid "" -"Describe the processes used to sample the popu" -"lation (e.g., convenience, snowball, purposeful, etc.)." +"

                                      Sensitive data is any data that may negativ" +"ely impact individuals, organizations, communities, institutions, and business" +"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" +", and personal identifiers in artwork or its documentation can be examples of " +"sensitive data in ABR. Your data security measures should be proportional to t" +"he sensitivity of your data: the more sensitive your data, the more data secur" +"ity you need. Read more on sensitive da" +"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" +"rd, OpenAIRE" +", and U" +"K Data Service.

                                      " msgstr "" msgid "" -"For any data gathered, list the variables bein" -"g studied. For each variable, include the variable name, explanatory informati" -"on, variable type, and values associated with each variable. Examples may incl" -"ude demographic characteristics of stakeholders, components of the software/te" -"chnology program’s functional and nonfunctional requirements, etc. See g" -"uidance on how to create a" -" data dictionary." +"Removing direct and indirect identifiers from " +"data is a common strategy to manage sensitive data. However, some strategies t" +"o remove identifiers in images, audio, and video also remove information of va" +"lue to others (e.g., facial expressions, context, tone of voice). Consult your" +" research ethics office to find out if solutions exist to retain such informat" +"ion. Read more on de-identifying data at UBC Library and UK Data Service." msgstr "" msgid "" -"Create a glossary of all acronyms or abbreviat" -"ions used within your study. " +"

                                      Sensitive data can still be shared and reus" +"ed if strategies are in place to protect against unauthorized disclosure and t" +"he problems that can rise from it. Obtain the consent of participants to share" +" and reuse sensitive data beyond your project. Your consent form should state " +"how sensitive data will be protected when shared, accessed, and reused. Strate" +"gies to reduce the risk of public disclosure are de-identifying data and imple" +"menting access restrictions on deposited data. Make sure to address types of s" +"ensitive data beyond personal identifiers of participants. Your strategies sho" +"uld align with requirements of your research ethics office, institution, and, " +"if applicable, legal agreements for sharing data. Consult your research ethics" +" office if you need help identifying problems and strategies.

                                      " msgstr "" msgid "" -"Provide an estimate of how much data you will " -"collect for all data in the form of terabytes, gigabytes, or megabytes as need" -"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" -"equired for video files, 500 MB for survey data). " +"Examples of research data management policies that may be in place include tho" +"se set forth by funders, post secondary institutions, legislation, and communi" +"ties.
                                      \n" +"

                                      Examples of these might include: 

                                      \n" +"" msgstr "" msgid "" -"Indicate where and how data will be stored dur" -"ing data collection. Examples may include storing data in secure, password pro" -"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" -"p), hard copies stored in locked filing cabinets, external hard drives, etc." +"Having a clear understanding of all the data that you will collect or use with" +"in your project will help with planning for their management.

                                      Incl" +"ude a general description of each type of data related to your project, includ" +"ing the formats that they will be collected in, such as audio or video files f" +"or qualitative interviews and focus groups and survey collection software or f" +"ile types.

                                      As well, provide any additional details that may be help" +"ful, such as the estimated length (number of survey variables/length of interv" +"iews) and quantity (number of participants to be interviewed) both of surveys " +"and interviews." msgstr "" msgid "" -"If different from above, indicate where data i" -"s stored during the data analysis process. If data is being sent to external l" -"ocations for analysis by a statistician, describe that process here." +"

                                      There are many potential sources of existin" +"g data, including research data repositories, research registries, and governm" +"ent agencies. 

                                      \n" +"

                                      Examples of these include:

                                      \n" +" \n" +" \n" +"
                                        \n" +"
                                      • Research data re" +"positories, such as those listed at " +"re3data.org
                                      • \n" +"
                                      \n" +" \n" +"

                                      You may also wish to contact the Library at" +" your institution for assistance in searching for any existing data that may b" +"e useful to your research.

                                      " msgstr "" msgid "" -"Indicate the security measures used to protect" -" participant identifying data. Examples may include storing informed consent f" -"orms separately from anonymized data, password protecting files, locking unuse" -"d computers, and restricting access to data that may contain identifying infor" -"mation. " +"

                                      Include a description of any methods that y" +"ou will use to collect data, including electronic platforms or paper based met" +"hods. For electronic methods be sure to include descriptions of any privacy po" +"licies as well as where and how data will be stored while within the platform." +"

                                      For an example of a detaile" +"d mixed methods description, see this Portage DMP Exemplar in either English or French" +".

                                      \n" +"

                                      There are many electronic survey data colle" +"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" +"span style=\"font-weight: 400;\">and " +"where your survey data will be col" +"lected and stored is an essential component of managing your data and ensuring" +" that you are adhering to any security requirements imposed by funders or rese" +"arch ethics boards. 

                                      \n" +"Additionally, it is important to clearly under" +"stand any security and privacy policies that are in place for any given electr" +"onic platform that you will use for collecting your data  - examples of s" +"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." msgstr "" msgid "" -"List any specific file naming conventions used" -" throughout the study. Provide examples of this file naming convention in the " -"text indicating the context for each part of the file name. See file naming gu" -"idance here<" -"/span>." -msgstr "" - -msgid "" -"Describe how your study data will be regularly" -" saved, backed up, and updated. If using institutional servers, consult with y" -"our Information Technology department to find out how frequently data is backe" -"d up." -msgstr "" - -msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how informed consent is collected, and" -" at which phases of the data collection process. Examples include steps to gai" -"n written or verbal consent, re-establishing consent at subsequent points of c" -"ontact, etc. " -msgstr "" - -msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations were studied, outline specific guidelines that are being follow" -"ed to protect participants (e.g., " -"OCAP, community advisory boards, et" -"c.)." -msgstr "" - -msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by a funder" -", institution, collaboration or commercial agreement. " -msgstr "" - -msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include personnel, sto" -"rage requirements, software, hardware, etc." -msgstr "" - -msgid "" -"Provide the name(s), affiliation, and contact " -"information for the main study contact." -msgstr "" - -msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the study data. " -msgstr "" - -msgid "" -"Describe who the intended users are of the dat" -"a. Consider that those who would benefit most from your data may differ from t" -"hose who would benefit from the software/technology developed. " -msgstr "" - -msgid "" -"Outline the specific data that can be shared a" -"t the completion of the study. Be specific about the data (e.g., from surveys," -" user testing, app usage, interviews, etc.) and what can be shared." -msgstr "" - -msgid "" -"Describe any restrictions that may prohibit th" -"e sharing of data. Examples may include holding data that has confidentiality," -" license, or intellectual property restrictions, are beholden to funder requir" -"ements, or are subject to a data use agreement." -msgstr "" - -msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, via community approval, or through you" -"r Research Ethics Board." -msgstr "" - -msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, an external data reposit" -"ory, a secure institutional compute" -"r storage, or an external hard drive)." -msgstr "" - -msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation and contact in" -"formation." -msgstr "" - -msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened. " -"Describe the process for migrating your data formats here." -msgstr "" - -msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include but are not limited to shredding physical d" -"ocuments, making data unretrievable with support from your Information Technol" -"ogy department, or personal measures to eliminate data files." -msgstr "" - -msgid "" -"Drawings, songs, poems, films, short stories, " -"performances, interactive installations, and social experiences facilitated by" -" artists are examples of data. Data on " -"artistic processes can include documentation of techniques, stages, and contex" -"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" -"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" -" create artwork. Other types of data ar" -"e audio recordings of interviews, transcripts, photographs, videos, field note" -"s, historical documents, social media posts, statistical spreadsheets, and com" -"puter code." -msgstr "" - -msgid "" -"Artwork is a prominent type of data in ABR tha" -"t is commonly used as content for analysis and interpretation. Artworks that e" -"xist as, or are documented in, image, audio, video, text, and other types of d" -"igital files facilitate research data management. The same applies to preparat" -"ory, supplemental, and discarded artworks made in the creation of a principal " -"one. Research findings you create in the form of artwork can be treated as dat" -"a if you will make them available for researchers, artists, and/or the public " -"to use as data. Information about artistic processes can also be data. Read mo" -"re on artwork and artistic processes as data at Kultur II Group and Jisc." -msgstr "" - -msgid "" -"Researchers and artists can publish their data" -" for others to reuse. Research data repositories and government agencies are s" -"ources of published data (e.g., Federated Research Data Repository, Statistics Canada). Your university may have its own research data repo" -"sitory. Academic journals may host published data as supplementary material co" -"nnected to their articles. If you need help finding resources for published da" -"ta, contact your institution’s library or reach out to the Portage DMP C" -"oordinator at support@portagenetwor" -"k.ca." -msgstr "" - -msgid "" -"Non-digital data should be digitized when poss" -"ible. Digitization is needed for many reasons, including returning artwork to " -"participants, creating records of performances, and depositing data in a repos" -"itory for reuse. When planning your documentation, consider what conditions (e" -".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," -" software (e.g., video editing program), and specialized skills (e.g., filming" -" techniques, image-editing skills) you will need. High quality documentation w" -"ill make your data more valuable to you and others." -msgstr "" - -msgid "" -"

                                      Open (i.e., non-proprietary) file formats a" -"re preferred when possible because they can be used by anyone, which helps ens" -"ure others can access and reuse your data in the future. However, proprietary " -"file formats may be necessary for certain arts-based methods because they have" -" special capabilities for creating and editing images, audio, video, and text." -" If you use proprietary file formats, try to select industry-standard formats " -"(i.e., those widely used by a given community) or those you can convert to ope" -"n ones. UK Data Service<" -"/a> provides a table of recommended and accept" -"able file formats for various types of data.

                                      -\n" -"
                                      Original files of artwork and its docume" -"ntation should be in uncompressed file formats to maximize data quality. Lower" -" quality file formats can be exported from the originals for other purposes (e" -".g., presentations). Read more on file formats at
                                      UBC Library or UK Data Service." -msgstr "" - -msgid "" -"Good data organization includes logical folder" -" hierarchies, informative and consistent naming conventions, and clear version" -" markers for files. File names should contain information (e.g., date stamps, " -"participant codes, version numbers, location, etc.) that helps you sort and se" -"arch for files and identify the content and right versions of files. Version c" -"ontrol means tracking and organizing changes to your data by saving new versio" -"ns of files you modified and retaining the older versions. Good data organizat" -"ion practices minimize confusion when changes to data are made across time, fr" -"om different locations, and by multiple people. Read more on file naming and v" -"ersion control at UBC Library, University of Leicester," -" and UK Data Service." -msgstr "" - -msgid "" -"A poem written to analyze a transcript could b" -"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " -"the interview with participant 05. Revisions to the poem could be marked with " -"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." -msgstr "" - -msgid "" -"Project-level metadata can include basic infor" -"mation about your project (e.g., title, funder, principal investigator, etc.)," -" research design (e.g., background, research questions, aims, artists or artwo" -"rk informing your project, etc.) and methodology (e.g., description of artisti" -"c process and materials, interview guide, transcription process, etc.). Item-l" -"evel metadata should include basic information about artworks and their docume" -"ntation (e.g., creator, date, subject, copyright, file format, equipment used " -"for documentation, etc.)." -msgstr "" - -msgid "" -"

                                      Cornell University defines metadata as “documentation that describes data” " -"(see also Concordia University Library). Creating good metadata includes providing inf" -"ormation about your project as well as each item in your database, and any oth" -"er contextual information needed for you and others to interpret and reuse you" -"r data in the future. CESSDA and UK Data Service<" -"/a> provide examples of project- and item-leve" -"l metadata. Because arts-based methods tend to be customized and fluid, descri" -"bing them in your project-level metadata is important.

                                      " -msgstr "" - -msgid "" -"Dublin Core and DDI are two widely used general metadata standards. Disc" -"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" -" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" -"tadata standards they use." -msgstr "" - -msgid "" -"A metadata standard is a set of established ca" -"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" -"ne-readable, which is essential for depositing data in repositories and making" -" them easily discoverable by search engines. While no specific metadata standa" -"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" -"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" -"ntact your institution’s library or reach out to the Portage DMP Coordin" -"ator at support@portagenetwork.ca." -msgstr "" - -msgid "" -"One way to record metadata is to place it in a" -" separate text file (i.e., README file) that will accompany your data and to u" -"pdate it throughout your project. Cornell University provides a README file template you can " -"adapt. You can also embed item-level metadata in certain files, such as placin" -"g contextual information and participant details for an interview in a summary" -" page at the beginning of a transcript. Creating a data list, a spreadsheet th" -"at collects all your item-level metadata under key categories, will help you a" -"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." -msgstr "" - -msgid "" -"Creating metadata should not be left to the en" -"d of your project. A plan that lays out how, when, where, and by whom metadata" -" will be captured during your project will help ensure your metadata is accura" -"te, consistent, and complete. You can draw metadata from files you have alread" -"y created or will create for your project (e.g., proposals, notebooks, intervi" -"ew guides, file properties of digital images). If your arts-based methods shif" -"t during your project, make sure to record these changes in your metadata. The" -" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" -"on markers)." -msgstr "" - -msgid "" -"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" -"tc., and for how long this storage will need to be active. Take into account f" -"ile size, file versions, backups, and the growth of your data, if you will cre" -"ate and/or collect data over several months or years." -msgstr "" - -msgid "" -"

                                      Digital data can be stored on optical or ma" -"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" -"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" -"). Each storage method has pros and cons you should consider. Having multiple " -"copies of your data and not storing them all in the same physical location red" -"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" -" three copies of your data; store the copies on two different media; keep one " -"backup copy offsite. A regular backup schedule reduces the risk of losing rece" -"nt versions of your data. 

                                      -\n" -"Securely accessible servers or cloud-based env" -"ironments with regular backup processes are recommended for your offsite backu" -"p copy; however, you should know about the consequences of storing your data o" -"utside of Canada, especially in relation to privacy. Data stored in different " -"countries is subject to their laws, which may differ from those in Canada. Ens" -"ure your data storage and backup methods align with any requirements of your f" -"under, institution, and research ethics office. Read more on storage and backu" -"p practices at the U" -"niversity of Sheffield Library and UK Data Service" -msgstr "" - -msgid "" -"Many universities offer networked file storage" -" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" -"utions a modest amount of storage and other cloud resources for free. Contact " -"your institution’s IT services to find out what secure data storage serv" -"ices are available to you." -msgstr "" - -msgid "" -"Describe how you will store your non-digital d" -"ata and what you will need to do so (e.g., physical space, equipment, special " -"conditions). Include where you will store these data and for how long. Ensure " -"your storage methods for non-digital data align with any requirements of your " -"funder, institution, and research ethics office." -msgstr "" - -msgid "" -"

                                      Research team members, other collaborators," -" participants, and independent contractors (e.g., transcriptionists, videograp" -"hers) are examples of individuals who can transfer, access, and modify data in" -" your project, often from different locations. Ideally, a strategy for these a" -"ctivities facilitates cooperation, ensures data security, and can be adopted w" -"ith minimal instructions or training. If applicable, your strategy should addr" -"ess how raw data from portable recording devices will be transferred to your p" -"roject database (e.g., uploading raw video data within 48 hours, then erasing " -"the camera).

                                      -\n" -"

                                      Relying on email to transfer data is not a " -"robust or secure solution, especially for exchanging large files or artwork, t" -"ranscripts, and other data with sensitive information. Third-party commercial " -"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" -"ls, but may not be permanent or secure, and are often located outside Canada. " -"Contact your librarian and IT services to develop a solution for your project." -"

                                      " -msgstr "" - -msgid "" -"

                                      Preservation means storing data in ways tha" -"t make them accessible and reuseable to you and others long after your project" -" ends (for more, see Ghent " -"University). Many factors inform pr" -"eservation, including policies of funding agencies and academic publishers, an" -" understanding of the enduring value of a dataset, and ethical frameworks info" -"rming a project (e.g., making artwork co-created with community members access" -"ible to their community). 

                                      -\n" -"Creating a “living will” for your " -"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" -"ing how future researchers, artists, and others will be able to access and reu" -"se your data. If applicable, consider the needs of participants and collaborat" -"ors who will co-create and/or co-own artwork and other data. Your “livin" -"g will” can address where you will store your data, how they will be acc" -"essed, how long they will be accessible for, and how much digital storage spac" -"e you will need." -msgstr "" - -msgid "" -"Deposit in a data repository is one way to pre" -"serve your data, but keep in mind that not all repositories have a preservatio" -"n mandate. Many repositories focus on sharing data, not preserving them, meani" -"ng they will store and make your data accessible for a few years, but not long" -" term. It can be difficult to distinguish repositories with preservation servi" -"ces from those without, so carefully read the policies of repositories you are" -" considering for preservation and, if possible, before your project begins. If" -" you need or want to place special conditions on your data, check if the repos" -"itory will accommodate them and, if so, get written confirmation. Read more on" -" choosing a repository at OpenAIRE." -msgstr "" - -msgid "" -"

                                      Data repositories labelled as “truste" -"d” or “trustworthy” indicate they have met high standards fo" -"r receiving, storing, accessing, and preserving data through an external certi" -"fication process. Two certifications are Trustworthy Digital Repository an" -"d CoreTrustSeal

                                      " -" -\n" -"A repository that lacks certification may stil" -"l be a valid preservation option. Many established repositories in Canada have" -" not gone through a certification process yet. For repositories without certif" -"ication, you can evaluate their quality by comparing their policies to the sta" -"ndards of a certification. Read more on trusted data repositories at the University" -" of Edinburgh and OpenAIRE." -msgstr "" - -msgid "" -"Open file formats are considered preservation-" -"friendly because of their accessibility. Proprietary file formats are not opti" -"mal for preservation because they can have accessibility barriers (e.g., needi" -"ng specialized licensed software to open). Keep in mind that preservation-frie" -"ndly files converted from one format to another may lose information (e.g., co" -"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" -"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." -msgstr "" - -msgid "" -"Converting to preservation-friendly file forma" -"ts, checking for unintended changes to files, confirming metadata is complete," -" and gathering supporting documents are practices, among others, that will hel" -"p ensure your data are ready for preservation." -msgstr "" - -msgid "" -"Sometimes non-digital data cannot be digitized" -" or practical limitations (e.g., cost) prevent them from being digitized. If y" -"ou want others to access and reuse your non-digital data, consider where they " -"will be stored, how they will be accessed, and how long they will be accessibl" -"e for. Sometimes, you can deposit your data in an archive, which will take res" -"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" -"er community centre) take responsibility for preservation, describe how your n" -"on-digital data will be protected from physical deterioration over time. Make " -"sure to incorporate non-digital data into the “living will” for yo" -"ur data. Contact the archives at your institution for help developing a preser" -"vation strategy for non-digital data. Read more on preserving non-digital data" -" at Radboud University." -msgstr "" - -msgid "" -"Certain data may not have long-term value, may" -" be too sensitive for preservation, or must be destroyed due to data agreement" -"s. Deleting files from your computer is not a secure method of data disposal. " -"Contact your IT services, research ethics office, and/or privacy office to fin" -"d out how you can securely destroy your data. Read more on secure data disposa" -"l at UK Data Service." -msgstr "" - -msgid "" -"

                                      Your shared data can be in different forms:" -"

                                      -\n" -"
                                        -\n" -"
                                      • Raw data are the original, unaltered data obtained directly from data collect" -"ion methods (e.g., image files from cameras, audio files from digital recorder" -"s). In the context of your project, published data you reuse count as raw data" -".
                                      • -\n" -"
                                      • Processed data are raw data that have been modified to, for example, prepare " -"for analysis (e.g., removing video that will not be analyzed) or de-identify p" -"articipants (e.g., blurring faces, cropping, changing voices). 
                                      • -\n" -"
                                      • Analyzed data are the results of arts-based, qualitative, or quantitative ana" -"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" -"ams, graphs, charts, and statistical tables.
                                      • -\n" -"
                                      • Final data are copies of " -"raw, processed, or analyzed data you are no longer working with. These copies " -"may have been migrated or transformed from their original file formats into pr" -"eservation-friendly formats.
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"Sharing means making your data available to pe" -"ople outside your project (for more, see Ghent University and Iowa State University)." -" Of all the types of data you will create and/or collect (e.g., artwork, field" -" notes), consider which ones you need to share to fulfill institutional or fun" -"ding policies, the ethical framework of your project, and other requirements a" -"nd considerations. You generally need participant consent to share data, and y" -"our consent form should state how your data will be shared, accessed, and reus" -"ed." -msgstr "" - -msgid "" -"Describe which forms of data (e.g., raw, proce" -"ssed) you will share with restricted access due to confidentiality, privacy, i" -"ntellectual property, and other legal or ethical considerations and requiremen" -"ts. Remember to inform participants of any restrictions you will implement to " -"protect their privacy and to state them on your consent form. Read more on res" -"tricted access at University of Yo" -"rk." -msgstr "" - -msgid "" -"

                                      List the owners of the data in your project" -" (i.e., those who hold the intellectual property rights), such as you, collabo" -"rators, participants, and the owners of published data you will reuse. Conside" -"r how ownership will affect the sharing and reuse of data in your project. For" -" example, existing licenses attached to copyrighted materials that you, collab" -"orators, or participants incorporate into new artwork may prevent its sharing " -"or allow it with conditions, like creator attribution, non-commercial use, and" -" restricted access.

                                      " -msgstr "" - -msgid "" -"Several types of standard licenses are availab" -"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" -"andard license rather than a custom-made one. If you make your data part of th" -"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" -" Curation Centre. " -msgstr "" - -msgid "" -"Include a copy of your end-user license here. " -"Licenses set out how others can use your data. Funding agencies and/or data re" -"positories may have end-user license requirements in place; if not, they may b" -"e able to guide you in developing a license. Only the intellectual property ri" -"ghts holder(s) of the data you want to share can issue a license, so it is cru" -"cial to clarify who holds those rights. Make sure the terms of use of your end" -"-user license fulfill any legal and ethical obligations you have (e.g., consen" -"t forms, copyright, data sharing agreements, etc.)." -msgstr "" - -msgid "" -"Many Canadian postsecondary institutions use D" -"ataverse, a popular data repository platform for survey data and qualitative t" -"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" -"s, built-in data citations, file versioning, customized terms of use, and assi" -"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" -" identifier that provides a stable link to your data. Try to choose repositori" -"es that assign persistent identifiers. Contact your institution’s librar" -"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" -"ble to you, or for help locating another repository that meets your needs. You" -" can also check out re3data.org, a dire" -"ctory of data repositories that includes arts-specific ones.
                                      " -msgstr "" - -msgid "" -"

                                      Researchers can find data through data repo" -"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" -"r data through a data repository is recommended because it enhances the discov" -"erability of your data in the research community. You can also cite your depos" -"ited data the same way you would cite a publication, by including a link in th" -"e citation. Read more on data citation at UK Data Service<" -"/span> and Digi" -"tal Curation Centre -\n" -"

                                      The best ways to let artists and the public" -" know about your data may not mirror those of researchers. Social media, artis" -"tic organizations, and community partners may be options. For more help making" -" your data findable, contact your institution’s library or the Portage D" -"MP Coordinator at support@portagene" -"twork.ca.  

                                      " -msgstr "" - -msgid "" -"

                                      Research data management is often a shared " -"responsibility, which can involve principal investigators, co-investigators, c" -"ollaborators, graduate students, data repositories, etc. Describe the roles an" -"d responsibilities of those who will carry out the activities of your data man" -"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" -"o can conduct these activities in relation to data management expertise, time " -"commitment, training needed to carry out tasks, and other factors.

                                      " -msgstr "" - -msgid "" -"Expected and unexpected changes to who manages" -" data during your project (e.g., a student graduates, research staff turnover)" -" and after (e.g., retirement, death, agreement with data repository ends) can " -"happen. A succession plan details how research data management responsibilitie" -"s will transfer to other individuals or organizations. Consider what will happ" -"en if the principal investigator, whether you or someone else, leaves the proj" -"ect. In some instances, a co-investigator or the department or division overse" -"eing your project can assume responsibility. Your post-project succession plan" -" can be part of the “living will” for your data." -msgstr "" - -msgid "" -"Know what resources you will need for research" -" data management during and after your project and their estimated cost as ear" -"ly as possible. For example, transcription, training for research team members" -", digitizing artwork, cloud storage, and depositing your data in a repository " -"can all incur costs. Many funding agencies provide financial support for data " -"management, so check what costs they will cover. Read more on costing data man" -"agement at Digital Curati" -"on Centre and OpenAIRE." -msgstr "" - -msgid "" -"Research data management policies can be set b" -"y funders, postsecondary institutions, legislation, communities of researchers" -", and research data management specialists. List policies relevant to managing" -" your data, including those of your institution and the Tri-Agency Research Da" -"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" -"inks to these policies. " -msgstr "" - -msgid "" -"

                                      Compliance with privacy and copyright law i" -"s a common issue in ABR and may restrict what data you can create, collect, pr" -"eserve, and share. Familiarity with Canadian copyright law is especially impor" -"tant in ABR (see Copyright Act of Canada, Can" -"adian Intellectual Property Office," -" Éducaloi, and Artists’ Legal Out" -"reach). Obtaining permissions is ke" -"y to managing privacy and copyright compliance and will help you select or dev" -"elop an end-user license. 

                                      -\n" -"It is also important to know about ethical and" -" legal issues pertaining to the cultural context(s) in which you do ABR. For e" -"xample, Indigenous data sovereignty and governance are essential to address in" -" all aspects of research data management in projects with and affecting First " -"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" -"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" -"xperts at your institution can help you address ethical and legal issues, such" -" as those at your library, privacy office, research ethics office, or copyrigh" -"t office." -msgstr "" - -msgid "" -"Obtaining permissions to create, document, and" -" use artwork in ABR can be complex when, for example, non-participants are dep" -"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" -"ved from other copyrighted work (e.g., collages made of photographs, remixed s" -"ongs). Consider creating a plan describ" -"ing how you will obtain permissions for your project. It should include what y" -"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" -" permission is needed for what you want to do; and, if granted, what the condi" -"tions are. " -msgstr "" - -msgid "" -"Security measures for sensitive data include p" -"assword protection, encryption, and limiting physical access to storage device" -"s. Sensitive data should never be shared via email or cloud storage services n" -"ot approved by your research ethics office. Security measures for sensitive no" -"n-digital data include storage under lock and key, and logging removal and ret" -"urn of artwork from storage." -msgstr "" - -msgid "" -"

                                      Sensitive data is any data that may negativ" -"ely impact individuals, organizations, communities, institutions, and business" -"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" -", and personal identifiers in artwork or its documentation can be examples of " -"sensitive data in ABR. Your data security measures should be proportional to t" -"he sensitivity of your data: the more sensitive your data, the more data secur" -"ity you need. Read more on sensitive da" -"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" -"rd, OpenAIRE" -", and U" -"K Data Service.

                                      " -msgstr "" - -msgid "" -"Removing direct and indirect identifiers from " -"data is a common strategy to manage sensitive data. However, some strategies t" -"o remove identifiers in images, audio, and video also remove information of va" -"lue to others (e.g., facial expressions, context, tone of voice). Consult your" -" research ethics office to find out if solutions exist to retain such informat" -"ion. Read more on de-identifying data at UBC Library and UK Data Service." -msgstr "" - -msgid "" -"

                                      Sensitive data can still be shared and reus" -"ed if strategies are in place to protect against unauthorized disclosure and t" -"he problems that can rise from it. Obtain the consent of participants to share" -" and reuse sensitive data beyond your project. Your consent form should state " -"how sensitive data will be protected when shared, accessed, and reused. Strate" -"gies to reduce the risk of public disclosure are de-identifying data and imple" -"menting access restrictions on deposited data. Make sure to address types of s" -"ensitive data beyond personal identifiers of participants. Your strategies sho" -"uld align with requirements of your research ethics office, institution, and, " -"if applicable, legal agreements for sharing data. Consult your research ethics" -" office if you need help identifying problems and strategies.

                                      " -msgstr "" - -msgid "" -"Examples of research data management policies that may be in place include tho" -"se set forth by funders, post secondary institutions, legislation, and communi" -"ties.
                                      -\n" -"

                                      Examples of these might include: 

                                      -\n" -"" -msgstr "" - -msgid "" -"Having a clear understanding of all the data that you will collect or use with" -"in your project will help with planning for their management.

                                      Incl" -"ude a general description of each type of data related to your project, includ" -"ing the formats that they will be collected in, such as audio or video files f" -"or qualitative interviews and focus groups and survey collection software or f" -"ile types.

                                      As well, provide any additional details that may be help" -"ful, such as the estimated length (number of survey variables/length of interv" -"iews) and quantity (number of participants to be interviewed) both of surveys " -"and interviews." -msgstr "" - -msgid "" -"

                                      There are many potential sources of existin" -"g data, including research data repositories, research registries, and governm" -"ent agencies. 

                                      -\n" -"

                                      Examples of these include:

                                      -\n" -" -\n" -" -\n" -"
                                        -\n" -"
                                      • Research data re" -"positories, such as those listed at " -"re3data.org
                                      • -\n" -"
                                      -\n" -" -\n" -"

                                      You may also wish to contact the Library at" -" your institution for assistance in searching for any existing data that may b" -"e useful to your research.

                                      " -msgstr "" - -msgid "" -"

                                      Include a description of any methods that y" -"ou will use to collect data, including electronic platforms or paper based met" -"hods. For electronic methods be sure to include descriptions of any privacy po" -"licies as well as where and how data will be stored while within the platform." -"

                                      For an example of a detaile" -"d mixed methods description, see this Portage DMP Exemplar in either English or French" -".

                                      -\n" -"

                                      There are many electronic survey data colle" -"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" -"span style=\"font-weight: 400;\">and " -"where your survey data will be col" -"lected and stored is an essential component of managing your data and ensuring" -" that you are adhering to any security requirements imposed by funders or rese" -"arch ethics boards. 

                                      -\n" -"Additionally, it is important to clearly under" -"stand any security and privacy policies that are in place for any given electr" -"onic platform that you will use for collecting your data  - examples of s" -"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." -msgstr "" - -msgid "" -"

                                      To support transcribing activities within y" -"our research project, it is recommended that you implement a transcribing prot" -"ocol which clearly outlines such things as formatting instructions, a summary " -"of contextual metadata to include, participant and interviewer anonymization, " -"and file naming conventions.

                                      -\n" -"

                                      When outsourcing transcribing services, and" -" especially when collecting sensitive data, it is important to have a confiden" -"tiality agreement in place with transcribers, including a protocol for their d" -"eleting any copies of data once it has been transcribed, transferred, and appr" -"oved. Additionally, you will need to ensure that methods for transferring and " -"storing data align with any applicable funder or institutional requirements.

                                      " -msgstr "" - -msgid "" -"

                                      Transferring of data is a critical stage of" -" the data collection process, and especially so when managing sensitive inform" -"ation. Data transfers may occur:

                                      -\n" -"
                                        -\n" -"
                                      • from the field (" -"real world settings)
                                      • -\n" -"
                                      • from data provid" -"ers
                                      • -\n" -"
                                      • between research" -"ers
                                      • -\n" -"
                                      • between research" -"ers & stakeholders
                                      • -\n" -"
                                      -\n" -"

                                      It is best practice to identify data transf" -"er methods that you will use before" -" your research begins.

                                      -" -"\n" -"

                                      Some risks associated with the transferring" -" of data include loss of data, unintended copies of data files, and data being" -" provided to unintended recipients. You should avoid transferring data using u" -"nsecured methods, such as email. Typical approved methods for transferring dat" -"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" -"proved by your institution. 

                                      -\n" -"

                                      Talk to your local IT support to identify s" -"ecure data transferring methods available to you.

                                      " -msgstr "" - -msgid "" -"

                                      Ensuring that your data files exist in non-" -"proprietary formats helps to ensure that they are able to be easily accessed a" -"nd reused by others in the future.

                                      -\n" -"

                                      Examples of non-proprietary file formats in" -"clude:

                                      -\n" -"

                                      Surveys: CSV" -"; HTML; Unicode Transformation Formats 

                                      -\n" -"

                                      Qualitative interviews:

                                      -\n" -" -\n" -"

                                      For more information and resources pertaini" -"ng to file formats you may wish to visit:

                                      -\n" -"" -msgstr "" - -msgid "" -"

                                      Include a description of the survey codeboo" -"k(s) (data dictionary), as well as how it will be developed and generated. You" -" should also include a description of the interview data that will be collecte" -"d, including any important contextual information and metadata associated with" -" file formats.

                                      -\n" -"

                                      Your documentation may include study-level " -"information about:

                                      -\n" -"
                                        -\n" -"
                                      • who created/coll" -"ected the data
                                      • -\n" -"
                                      • when it was crea" -"ted
                                      • -\n" -"
                                      • any relevant stu" -"dy documents
                                      • -\n" -"
                                      • conditions of us" -"e
                                      • -\n" -"
                                      • contextual detai" -"ls about data collection methods and procedural documentation about how data f" -"iles are stored, structured, and modified.
                                      • -\n" -"
                                      -\n" -"

                                      A complete description of the data files ma" -"y include:

                                      -\n" -"
                                        -\n" -"
                                      • naming and label" -"ling conventions
                                      • -\n" -"
                                      • explanations of " -"codes and variables
                                      • -\n" -"
                                      • any information " -"or files required to reproduce derived data.
                                      • -\n" -"
                                      -\n" -"More information about both general and discip" -"line specific data documentation is available at https://" -"www.dcc.ac.uk/guidance/standards/metadata" -msgstr "" - -msgid "" -"For guidance on file naming conventions please" -" see the University of Edinburgh." -msgstr "" - -msgid "" -"

                                      High quality documentation and metadata hel" -"p to ensure accuracy, consistency, and completeness of your data. It is consid" -"ered best practice to develop and implement protocols that clearly communicate" -" processes for capturing important information throughout your research projec" -"t. Example topics that these protocols " -"might cover include file naming conventions, file versioning, folder structure" -", and both descriptive and structural metadata. 

                                      -\n" -"Researchers and research staff should ideally " -"have the opportunity to contribute to the content of metadata protocols, and i" -"t is additionally useful to consult reg" -"ularly with members of the research team to capture any potential changes in d" -"ata collection/processing that need to be reflected in the documentation." -msgstr "" - -msgid "" -"

                                      Metadata are descriptions of the contents a" -"nd context of data files. Using a metadata standard (a set of required fields " -"to fill out) helps to ensure that your documentation is consistent, structured" -", and machine-readable, which is essential for depositing data in repositories" -" and making it easily discoverable by search engines.

                                      -\n" -"

                                      There are both general and d" -"iscipline-specific metadata standar" -"ds and tools for research data.

                                      -\n" -"

                                      One of the most widely used metadata standa" -"rds for surveys is DDI (Data Documentati" -"on Initiative), a free standard that can document and manage different stages " -"in the research data lifecycle including data collection, processing, distribu" -"tion, discovery and archiving.

                                      -\n" -"For assistance with choosing a metadata standa" -"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " -msgstr "" - -msgid "" -"

                                      Data storage is a critical component of man" -"aging your research data, and secure methods should always be used, especially" -" when managing sensitive data. Storing data on USB sticks, laptops, computers," -" and/or external hard drives without a regular backup procedure in place is no" -"t considered to be best practice due to their being a risk both for data breac" -"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " -"having only one copy, or multiple copies of data stored in the same physical l" -"ocation does little to mitigate risk. 

                                      -\n" -"

                                      Many universities offer networked file stor" -"age which is automatically backed up. Contact your local (e.g., faculty or org" -"anization) and/or central IT services to find out what secure data storage ser" -"vices and resources they are able to offer to support your research project.

                                      -\n" -"Additionally, you may wish to consider investi" -"gating Compute Canad" -"a’s Rapid Access Service whic" -"h provides Principal Investigators at Canadian post-secondary institutions wit" -"h a modest amount of storage and cloud resources at no cost." -msgstr "" - -msgid "" -"

                                      It is important to determine at the early s" -"tages of your research project how members of the research team will appropria" -"tely access and work with data. If researchers will be working with data using" -" their local computers (work or personal) then it is important to ensure that " -"data are securely transferred (see previous question on data transferring), co" -"mputers may need to be encrypted, and that all processes meet any requirements" -" imposed by funders, institutions, and research ethics offices.

                                      -\n" -"

                                      When possible, it can be very advantageous " -"to use a cloud-based environment so that researchers can remotely access and w" -"ork with data, reducing the need for data transferring and associated risks, a" -"s well as unnecessary copies of data existing.

                                      -\n" -"One such cloud environment that is freely avai" -"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " -msgstr "" - -msgid "" -"

                                      Think about all of the data that will be ge" -"nerated, including their various versions, and estimate how much space (e.g., " -"megabytes, gigabytes, terabytes) will be required to store them. <" -"/p> -\n" -"

                                      The type of data you collect, along with th" -"e length of time that you require active storage, will impact the resources th" -"at you require. Textual and tabular data files are usually very small (a few m" -"egabytes) unless you have a lot of data. Video files are usually very large (h" -"undreds of megabytes up to several gigabytes). If you have a large amount of d" -"ata (gigabytes or terabytes), it will be more challenging to share and transfe" -"r it. You may need to consider networked storage options or more sophisticated" -" backup methods.

                                      -\n" -"You may wish to contact your local IT services" -" to discuss what data storage options are available to you, or consider the us" -"e of Compute Canada&" -"rsquo;s Rapid Access Service. " -" " -msgstr "" - -msgid "" -"

                                      Proprietary data formats are not optimal fo" -"r long-term preservation of data as they typically require specialized license" -"d software to open them. Such software may have costs associated with its use," -" or may not even be available to others wanting to re-use your data in the fut" -"ure.

                                      -\n" -"

                                      Non-proprietary file formats, such as comma" -"-separated values (.csv), text (" -".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" -"n mind that preservation-friendly files converted from one format to another m" -"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" -"essed JPG file), so changes to file formats should be documented.

                                      -\n" -"

                                      Identify the steps required to ensure the d" -"ata you are choosing to preserve is error-free, and converted to recommended f" -"ormats with a minimal risk of data loss following project completion. Some str" -"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" -", changing voices) also remove information of value to other researchers.

                                      -\n" -"

                                      See this Portage DMP Exemplar in English or French<" -"/span> for more help describing preservati" -"on-readiness.

                                      " -<<<<<<< HEAD -msgstr "" - -msgid "" -"

                                      A research data repository is a technology-" -"based platform that allows for research data to be:

                                      -\n" -"
                                        -\n" -"
                                      • Deposited & " -"described
                                      • -\n" -"
                                      • Stored & arc" -"hived
                                      • -\n" -"
                                      • Shared & pub" -"lished
                                      • -\n" -"
                                      • Discovered &" -" reused
                                      • -\n" -"
                                      -\n" -"

                                      There are different types of repositories i" -"ncluding:

                                      -\n" -"
                                        -\n" -"
                                      • Proprietary (pai" -"d for services)
                                      • -\n" -"
                                      • Open source (fre" -"e to use)
                                      • -\n" -"
                                      • Discipline speci" -"fic
                                      • -\n" -"
                                      -\n" -"

                                      A key feature of a trusted research data re" -"pository is the assignment of a digital object identifier (DOI) to your data -" -" a unique persistent identifier assigned by a registration agency to " -"identify digital content and provide a persistent link to its location, enabli" -"ng for long-term discovery.

                                      -\n" -"

                                      Dataverse is one of the most popular resear" -"ch data repository platforms in Canada for supporting the deposition of survey" -" data and qualitative text files. Key features of Dataverse include the assign" -"ment of a DOI, the ability to make your data both open or restricted access, b" -"uilt in data citations, file versioning, and the ability to create customized " -"terms of use pertaining to your data. Contact your local university Library to" -" find out if there is a Dataverse instance available for you to use. -\n" -"Re3data.org" -" is an online registry of data repo" -"sitories, which can be searched according to subject, content type and country" -". Find a list of Canadian research data repositor" -"ies." -msgstr "" - -msgid "" -"

                                      Consider which data you are planning to sha" -"re or that you may need to share in order to meet funding or institutional req" -"uirements. As well, think about which data may possibly be restricted for reas" -"ons relating to confidentiality and/or privacy. If you are planning to share e" -"ither/both survey and qualitative interviews data that require de-identificati" -"on, explain how any necessary direct and indirect identifiers will be removed." -" 

                                      -\n" -"

                                      Examples of file versions are:

                                      -\n" -"
                                        -\n" -"
                                      • Raw: Original data that has been collected and not yet processed" -" or analysed. For surveys this will be the original survey data, and for quali" -"tative interviews this will most often be the original audio data as well as r" -"aw transcriptions which are verbatim copies of the audio files.
                                      • -\n" -"
                                      • Processed: Data that have" -" undergone some type of processing, typically for data integrity and quality a" -"ssurance purposes. For survey data, this may involve such things as deletion o" -"f cases and derivation of variables. For qualitative interview data, this may " -"involve such things as formatting, and de-identification and anonymization act" -"ivities.
                                      • -\n" -"
                                      • Analyzed: Data that are a" -"lready processed and have been used for analytic purposes. Both for surveys an" -"d qualitative interviews, analyzed data can exist in different forms including" -" in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" -"s, graphs, etc.
                                      • -\n" -"
                                      -\n" -"

                                      Remember, research involving human particip" -"ants typically requires participant consent to allow for the sharing of data. " -"Along with your data, you should ideally include samples of the study informat" -"ion letter and participant consent form, as well as information relating to yo" -"ur approved institutional ethics application.

                                      " -msgstr "" - -msgid "" -"

                                      It may be necessary or desirable to restric" -"t access to your data for a limited time or to a limited number of people, for" -":

                                      -\n" -"
                                        -\n" -"
                                      • ethical reasons " -"(privacy and confidentiality) 
                                      • -\n" -"
                                      • economic reasons" -" (patents and commercialization)
                                      • -\n" -"
                                      • intellectual pro" -"perty reasons (e.g. ownership of the original dataset on which yours is based)" -" 
                                      • -\n" -"
                                      • or to comply wit" -"h a journal publishing policy. 
                                      • -\n" -"
                                      -\n" -"

                                      Strategies to mitigate these issues may inc" -"lude: 

                                      -\n" -"
                                        -\n" -"
                                      • anonymising or a" -"ggregating data (see additional information at the UK Data Service or the Portage Network)" -"
                                      • -\n" -"
                                      • gaining particip" -"ant consent for data sharing
                                      • -\n" -"
                                      • gaining permissi" -"ons to share adapted or modified data
                                      • -\n" -"
                                      • and agreeing to " -"a limited embargo period.
                                      • -\n" -"
                                      -\n" -"

                                      If applicable, consider creating a Terms of" -" Use document to accompany your data.

                                      " -msgstr "" - -msgid "" -"

                                      Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. Once created, it is considered as best practice to inc" -"lude a copy of your end-user license with your Data Management Plan. Note that" -" only the intellectual property rights holder(s) can issue a license, so it is" -" crucial to clarify who owns those rights. 

                                      -\n" -"

                                      There are several types of standard license" -"s available to researchers, such as the Creative Commons licenses" -" and the Open Data Commons license" -"s. In fact, for most datasets it is" -" easier to use a standard license rather than to devise a custom-made one. Not" -"e that even if you choose to make your data part of the public domain, it is p" -"referable to make this explicit by using a license such as Creative Commons' C" -"C0. 

                                      -\n" -"Read more about data licensing: UK Digital Curation Centre." -msgstr "" - -msgid "" -"

                                      Research data management is a shared respon" -"sibility that can involve many research team members including the Principal I" -"nvestigator, co-investigators, collaborators, trainees, and research staff. So" -"me projects warrant having a dedicated research data manager position. Think a" -"bout your project and its needs, including the time and expertise that may be " -"required to manage the data and if any training will be required to prepare me" -"mbers of the research team for these duties.

                                      -\n" -"

                                      Larger and more complex research projects m" -"ay additionally wish to have a research data management committee in place whi" -"ch can be responsible for data governance, including the development of polici" -"es and procedures relating to research data management. This is a useful way t" -"o tap into the collective expertise of the research team, and to establish rob" -"ust policies and protocols that will serve to guide data management throughout" -" your project.

                                      " -msgstr "" - -msgid "" -"It is important to think ahead and be prepared" -" for potential PI and/or research team members changes should they occur. Developing data governance policies that cl" -"early indicate a succession strategy for the project’s data will help gr" -"eatly in ensuring that the data continue to be effectively and appropriately m" -"anaged. Such policies should clearly describe the process to be followed in th" -"e event that the Principal Investigator leaves the project. In some instances," -" a co-investigator or the department or division overseeing this research will" -" assume responsibility. " -msgstr "" - -msgid "" -"

                                      Estimate as early as possible the resources" -" and costs associated with the management of your project’s data. This e" -"stimate should incorporate costs incurred both during the active phases of the" -" project as well as those potentially required for support of the data once th" -"e project is finished, including preparing the data for deposit and long-term " -"preservation. 

                                      -\n" -"

                                      Many funding agencies will provide support " -"for research data management, so these estimates may be included within your p" -"roposed project budget. Items that may be pertinent to mixed methods research " -"include such things as a dedicated research data management position (even if " -"it is part-time), support for the use of a digital survey data collection plat" -"form, computers/laptops, digital voice recorders, specialized software, transc" -"ription of qualitative interviews, data storage, data deposition, and data pre" -"servation.

                                      " -msgstr "" - -msgid "" -"

                                      Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers, as well as what version(s) of the data may be shared and re-use" -"d. For example, it may stipulate that the data will only be shared for non-pro" -"fit research purposes, that the data will not be linked with personally identi" -"fied data from other sources, and that only de-identified and/or aggregated da" -"ta may be reused. In the case of qualitative interviews, this may include only" -" the de-identified transcriptions of interviews and/or analytic files containi" -"ng de-identified contextual information.

                                      -\n" -"

                                      Sensitive data in particular should always " -"receive special attention and be clearly identified and documented within your" -" DMP as to how they will be managed throughout your project including data col" -"lection, transferring, storage, access, and both potential sharing, and reuse<" -"/span>.

                                      -\n" -"

                                      Your data management plan and deposited dat" -"a should both include an identifier or link to your approved research ethics a" -"pplication form as well as an example of any participant consent forms." -"

                                      " -msgstr "" - -msgid "" -"

                                      Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer, research services office, and/or research et" -"hics office. 

                                      -\n" -"

                                      Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

                                      " -msgstr "" - -msgid "" -"Examples of data types may include text, numer" -"ic (ASCII, binary), images, audio, video, tabular data, spatial data, experime" -"ntal, observational, and simulation/modelling data, instrumentation data, code" -"s, software and algorithms, and any other materials that may be produced in th" -"e course of the project." -msgstr "" - -msgid "" -"Proprietary file formats that require speciali" -"zed software or hardware are not recommended, but may be necessary for certain" -" data collection or analysis methods. Using open file formats or industry-stan" -"dard formats (e.g. those widely used by a given community) is preferred whenev" -"er possible. Read more about recommended file formats at UBC Library or UK Data Service." -msgstr "" - -msgid "" -"

                                      It is important to keep track of different " -"copies and versions of files, files held in different formats or locations, an" -"d any information cross-referenced between files. 

                                      -\n" -"Logical file structures, informative naming co" -"nventions, and clear indications of file versions all contribute to better use" -" of your data during and after your research project. These practices will hel" -"p ensure that you and your research team are using the appropriate version of " -"your data, and will minimize confusion regarding copies on different computers" -", on different media, in different formats, and/or in different locations. Rea" -"d more about file naming and version control at UBC Library or UK Data Service" -"." -msgstr "" - -msgid "" -"

                                      Some types of documentation typically provi" -"ded for research data and software include: 

                                      -\n" -"
                                        -\n" -"
                                      • README file, codebook, or data dictionary<" -"/span>
                                      • -\n" -"
                                      • Electronic lab notebooks such as Jupyter Notebook<" -"/span>
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"Typically, good documentation includes high-le" -"vel information about the study as well as data-level descriptions of the cont" -"ent. It may also include other contextual information required to make the dat" -"a usable by other researchers, such as: your research methodology, definitions" -" of variables, vocabularies, classification systems, units of measurement, ass" -"umptions made, formats and file types of the data, a description of the data c" -"apture and collection methods, provenance of various data sources (original so" -"urce of data, and how the data have been transformed), explanation of data ana" -"lysis performed (including syntax files), the associated script(s), and annota" -"tion of relevant software. " -msgstr "" - -msgid "" -"

                                      There are many general and domain-specific " -"metadata standards that can be used to manage research data. These machine-rea" -"dable, openly-accessible standards are often based on language-independent dat" -"a formats such as XML, RDF, and JSON, which enables the effective exchange of " -"information between users and systems. Existing, accepted community standards " -"should be used wherever possible, including when recording intermediate result" -"s. 

                                      -\n" -"

                                      Where community standards are absent or ina" -"dequate, this should be documented along with any proposed solutions or remedi" -"es. You may wish to use this DMP Template to propose alternate strategies that" -" will facilitate metadata interoperability in your field.

                                      " -msgstr "" - -msgid "" -"

                                      There are a wide variety of metadata standa" -"rds available to choose from, and you can learn more about these options at UK Digital Curation Centre's Disciplinary Metadata, FAIRsharing standards, RDA Metadata Standards Direc" -"tory, Seeing Standards: A Visu" -"alization of the Metadata Universe." -"

                                      " -msgstr "" - -msgid "" -"Consider how you will capture information duri" -"ng the project and where it will be recorded to ensure the accuracy, consisten" -"cy, and completeness of your documentation. Often, resources you've already cr" -"eated can contribute to this (e.g. publications, websites, progress reports, e" -"tc.). It is useful to consult regularly with members of the research team to c" -"apture potential changes in data collection or processing that need to be refl" -"ected in the documentation. Individual roles and workflows should include gath" -"ering, creating or maintaining data documentation as a key element." -msgstr "" - -msgid "" -"ARC resources usually contain both computation" -"al resources and data storage resources. Please describe only those ARC resour" -"ces that are directly applicable to the proposed work. Include existing resour" -"ces and any external resources that may be made available." -msgstr "" - -msgid "" -"

                                      You may wish to provide the following infor" -"mation:

                                      -\n" -"
                                        -\n" -"
                                      • Startup allocati" -"on limit
                                      • -\n" -"
                                      • System architect" -"ure: System component and configuration
                                      • -\n" -"
                                          -\n" -"
                                        • CPU nodes" -"
                                        • -\n" -"
                                        • GPU nodes" -"
                                        • -\n" -"
                                        • Large memory nod" -"es
                                        • -\n" -"
                                        -\n" -"
                                      • Performance: e.g" -"., FLOPs, benchmark
                                      • -\n" -"
                                      • Associated syste" -"ms software environment
                                      • -\n" -"
                                      • Supported applic" -"ation software 
                                      • -\n" -"
                                      • Data transfer
                                      • -\n" -"
                                      • Storage <" -"/li> -\n" -"
                                      " -msgstr "" - -msgid "" -"It is important to document the technical details of all the computational and data s" -"torage resources, and associated system" -"s and software environments you plan to use to perform the simulations and ana" -"lysis proposed in this research project. " -msgstr "" - -msgid "" -"

                                      Examples of data analysis frameworks includ" -"e:

                                      -\n" -"
                                        -\n" -"
                                      • Hadoop -\n" -"
                                      • Spark -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      Examples of software tools include:<" -"/p> -\n" -"

                                        -\n" -"
                                      • High-performance" -" compilers, debuggers, analyzers, editors 
                                      • -\n" -"
                                      • Locally develope" -"d custom libraries and application packages for software development -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      (Re)using code/software requires, at minimu" -"m, information about both the environment and expected input/output. Log all p" -"arameter values, including when setting random seeds to predetermined values, " -"and make note of the requirements of the computational environment (software d" -"ependencies, etc.) Track your software development with versioning control sys" -"tems, such as GitHub Bitbucket, " -"GitLab, etc. 

                                      -\n" -"

                                      If your research and/or software are built " -"upon others’ software code, it is good practice to acknowledge and cite " -"the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

                                      -\n" -"For more information on proper software docume" -"ntation and citation practices, see: Ten simple rules for documenting scientific software and Software Citation Principles.
                                      " -msgstr "" - -msgid "" -"

                                      Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time, particu" -"larly if you are collecting data over a long period (e.g. several months or ye" -"ars). Similarly, a long-term storage plan is necessary if you intend to retain" -" your data after the research project.

                                      " -msgstr "" - -msgid "" -"

                                      Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                      -\n" -"

                                      The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                      -\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Service." -msgstr "" - -msgid "" -"

                                      Technical detail example:

                                      -\n" -"
                                        -\n" -"
                                      • Quota 
                                      • -\n" -"
                                      -\n" -"

                                      Examples of systems:

                                      -\n" -"
                                        -\n" -"
                                      • High-performance archival/storage storage&" -"nbsp;
                                      • -\n" -"
                                      • Database
                                      • -\n" -"
                                      • Web server
                                      • -\n" -"
                                      • Data transfer
                                      • -\n" -"
                                      • Cloud platforms, such as Amazon Web Servic" -"es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution. 

                                      -\n" -"

                                      Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and the servers are often located outside C" -"anada.

                                      " -msgstr "" - -msgid "" -"

                                      This estimate should incorporate data manag" -"ement costs incurred during the project as well as those required for ongoing " -"support after the project is finished. Consider costs associated with data pur" -"chase, data curation, and providing long-term access to the data. For ARC proj" -"ects, charges for computing time, also called Service Units (SU), and the cost" -" of specialized or proprietary software should also be taken into consideratio" -"n. 

                                      -\n" -"Some funding agencies state explicitly that th" -"ey will provide support to meet the cost of preparing data for deposit in a re" -"pository. These costs could include: technical aspects of data management, tra" -"ining requirements, file storage & backup, etc. OpenAIRE has a useful tool" -" for Estimating costs for RDM." -msgstr "" - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties." -msgstr "" - -msgid "" -"Container solutions, such as docker and singularity, can replicate the exact computational environment for o" -"thers to run. For more information, these Ten Simple Rules for Writing Dockerfiles fo" -"r Reproducible Data Science and Ten Simple Rules for Reproducib" -"le Computational Research may be he" -"lpful." -msgstr "" - -msgid "" -"

                                      A computationally reproducible research pac" -"kage will include:

                                      -\n" -"
                                        -\n" -"
                                      • Primary data (and documentation) collected" -" and used in analysis
                                      • -\n" -"
                                      • Secondary data (and documentation) collect" -"ed and used in analysis
                                      • -\n" -"
                                      • Primary data output result(s) (and documen" -"tation) produced by analysis
                                      • -\n" -"
                                      • Secondary data output result(s) (and docum" -"entation) produced by analysis
                                      • -\n" -"
                                      • Software program(s) (and documentation) fo" -"r computing published results
                                      • -\n" -"
                                      • Dependencies for software program(s) for r" -"eplicating published results
                                      • -\n" -"
                                      • Research Software documentation and implem" -"entation details
                                      • -\n" -"
                                      • Computational research workflow and proven" -"ance information
                                      • -\n" -"
                                      • Published article(s) 
                                      • -\n" -"
                                      -\n" -"

                                      All information above should be accessible " -"to both designated users and reusers. 

                                      -\n" -"

                                      (Re)using code/software requires knowledge " -"of two main aspects at minimum: environment and expected input/output. With su" -"fficient information provided, computational results can be reproduced. Someti" -"mes, a minimum working example will be helpful.

                                      " -msgstr "" - -msgid "" -"Consider where, how, and to whom sensitive data with acknowledged long-term va" -"lue should be made available, and how long it should be archived. Decisions sh" -"ould align with your institutional Research Ethics Board requirements.
                                      <" -"br />Methods used to share data will be dependent on the type, size, complexit" -"y and degree of sensitivity of data. For instance, sensitive data should never" -" be shared via email or cloud storage services such as Dropbox. Outline any pr" -"oblems anticipated in sharing data, along with causes and possible measures to" -" mitigate these. Problems may include: confidentiality, lack of consent agreem" -"ents, or concerns about Intellectual Property Rights, among others." -msgstr "" - -msgid "" -"

                                      Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring your Research Ethics Board " -"that data may be shared with researchers outside of your project. The consent " -"statement may identify certain conditions clarifying the uses of the data by o" -"ther researchers. For example, it may stipulate that the data will only be sha" -"red for non-profit research purposes or that the data will not be linked with " -"personally identified data from other sources. Read more about data security: " -"UK Data Service.

                                      -\n" -"You may need to anonymize or de-identify your data before you can share it. Read more about these process" -"es at UBC Library , UK Data Service, or
                                      Image Data Sharing for Biomedi" -"cal Research—Meeting HIPAA Requirements for De-identification" -"." -msgstr "" - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons licenses and the Open Data Commons licenses" -". For most datasets it is easier to" -" use a standard license rather than to devise a custom-made one. Even if you c" -"hoose to make your data part of the public domain, it is preferable to make th" -"is explicit by using a license such as Creative Commons' CC0. More about data " -"licensing: Digital Curation Centre. " -msgstr "" - -msgid "" -"Licenses stipulate how your data may be used. " -"Funding agencies and/or data repositories may have end-user license requiremen" -"ts in place; if not, they may still be able to guide you in the selection of a" -" license. Once selected, please include a copy of your end-user license with y" -"our Data Management Plan. Note that only the intellectual property rights hold" -"er(s) can issue a license, so it is crucial to clarify who owns those rights. " -"" -msgstr "" - -msgid "" -"

                                      By providing a licence for your software, y" -"ou grant others certain freedoms, and define what they are allowed to do with " -"your code. Free and open software licences typically allow someone else to use" -", study, improve and share your code. You can licence all the software you wri" -"te, including scripts and macros you develop on proprietary platforms. For mor" -"e information, see Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

                                      -\n" -"

                                      Please be aware that software is typically " -"protected by copyright that is often held by the institution rather than the d" -"eveloper. Ensure you understand what rights you have to share your software be" -"fore choosing a license.

                                      " -msgstr "" - -msgid "" -"

                                      Before you copy, (re-)use, modify, build on" -", or (re-)distribute others’ data and code, or engage in the production " -"of derivatives, be sure to check, read, understand and follow any legal licens" -"ing agreements. The actions you can take, including whether you can publish or" -" redistribute derivative research products, may depend on terms of the origina" -"l license.

                                      -\n" -"

                                      If your research data and/or software are b" -"uilt upon others’ data and software publications, it is good practice to" -" acknowledge and cite the corresponding data and software you use in the same " -"fashion as you cite papers to both identify the software and to give credit to" -" its developers. Some good resources for developing citations are the <" -"a href=\"https://peerj.com/articles/cs-86/\">Sof" -"tware Citation Principles (Smith et al., 2016), DataCite - Cite Your Data, and Out of Cite, Out of M" -"ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

                                      -\n" -"

                                      Compliance with privacy legislation and law" -"s that may restrict the sharing of some data should be discussed with your ins" -"titution's privacy officer or data librarian, if possible. Research Ethics Boa" -"rds are also central to the research process and a valuable resource. Include " -"in your documentation a description concerning ownership, licensing, and intel" -"lectual property rights of the data. Terms of reuse must be clearly stated, in" -" line with the relevant legal and ethical requirements where applicable (e.g.," -" subject consent, permissions, restrictions, etc.).

                                      " -msgstr "" - -msgid "" -"

                                      One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. The Digital Curation Centre provides a detailed guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

                                      -\n" -"

                                      Some repositories also create links from da" -"tasets to their associated papers, increasing the visibility of the publicatio" -"ns. If possible, cross-reference or link out to all publications, code and dat" -"a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

                                      -\n" -"Other sharing possibilities include: data regi" -"stries, indexes, word-of-mouth, and publications. For more information, see Key Elements to Consider in Preparin" -"g a Data Sharing Plan Under NIH Extramural Support." -msgstr "" - -msgid "" -"

                                      Consider which data are necessary to validate (support or verify) your research findi" -"ngs, and which must be shared to meet institutional or funding requirements. T" -"his may include data and code used in analyses or to create charts, figures, i" -"mages, etc. Certain data may need to be restricted because of confidentiality," -" privacy, or intellectual property considerations and should be described belo" -"w.

                                      -\n" -"Wherever possible, share your data in preserva" -"tion-friendly file formats. Some data formats are optimal for the long-term pr" -"eservation of data. For example, non-proprietary file formats, such as text ('" -".txt') and comma-separated ('.csv'), are considered preservation-friendly. The" -" UK Data Service provides a useful table of file formats for various ty" -"pes of data. Keep in mind that preservation-friendly files converted from one " -"format to another may lose information (e.g. converting from an uncompressed T" -"IFF file to a compressed JPG file), so changes to file formats should be docum" -"ented. " -msgstr "" - -msgid "" -"

                                      Data retention should be considered early i" -"n the research lifecycle. Data-retention decisions can be driven by external p" -"olicies (e.g. funding agencies, journal publishers), or by an understanding of" -" the enduring value of a given set of data. The need to preserve data in the s" -"hort-term (i.e. for peer-verification purposes) or long-term (for data of last" -"ing value), will influence the choice of data repository or archive. A helpful" -" analogy is to think of creating a 'living will' for the data, that is, a plan" -" describing how future researchers will have continued access to the data.&nbs" -"p;

                                      -\n" -"It is important to verify whether or not the d" -"ata repository you have selected will support the terms of use or licenses you" -" wish to apply to your data and code. Consult the repository’s own terms" -" of use and preservation policies for more information. For help finding an ap" -"propriate repository, contact your institution’s library or reach out to" -" the Portage DMP Coordinator at sup" -"port@portagenetwork.ca. " -msgstr "" - -msgid "" -"The general-purpose repositories for data shar" -"ing in Canada are the Federated Research Data Repository (FRDR) and
                                      Scholars Portal Dataverse<" -"/a>. You can search for discipline-specific re" -"positories on re3data.org or by using " -"DataCite's Repository Finder tool. " -msgstr "" - -msgid "" -"

                                      Making the software (or source code) you de" -"veloped accessible is essential for others to understand your work. It allows " -"others to check for errors in the software, to reproduce your work, and ultima" -"tely, to build upon your work. Consider using a code-sharing platform such as " -"GitHub Bitbucket, or GitLab. If you would like to archive your code and recei" -"ve a DOI, " -"GitHub is integrated with Zenodo as a repository option. 

                                      -\n" -"

                                      At a minimum, if using third-party software" -" (proprietary or otherwise), researchers should share and make available the s" -"ource code (e.g., analysis scripts) used for analysis (even if they do not hav" -"e the intellectual property rights to share the software platform or applicati" -"on itself).

                                      " -msgstr "" - -msgid "" -"After the software has been delivered, used an" -"d recognized by a sufficiently large group of users, will you allocate both hu" -"man and financial resources to support the regular maintenance of the software" -", for activities such as debugging, continuous improvement, documentation and " -"training?" -msgstr "" - -msgid "" -"A classification system is a useful tool, especially if you work with ori" -"ginal manuscripts or non-digital objects (for example, manuscripts in binders)" -". Provide the description of your classification system in this plan or provid" -"e reference to the documents containing it." -msgstr "" - -msgid "" -"Naming conventions should be developed. Provide the description of your naming" -" and versioning procedure in this plan or provide reference to documents conta" -"ining it. Read more about file naming and version control at UK Data Service." -msgstr "" - -msgid "" -"

                                      Elements to consider in contextualizing res" -"earch data: methodologies, definitions of variables or analysis categories, sp" -"ecific classification systems, assumptions, code tree, analyses performed, ter" -"minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

                                      -\n" -"

                                      To ensure a verifiable historical interpret" -"ation and the lowest possible bias in the possible reuse of the data, try to i" -"dentify elements of implicit knowledge or that involve direct communication wi" -"th the principal investigator.

                                      " -msgstr "" - -msgid "" -"Consider the total volume of storage space exp" -"ected for each media containing these files. If applicable, include hardware c" -"osts in the funding request. Include this information in the Responsibilities and Resources section as well." -msgstr "" - -msgid "" -"

                                      For long-term preservation, you may wish to" -" consider CoreTrustSeal certified repositories found in this directory" -". However, as many repositories may be in the process of being certified and a" -"re not yet listed in this directory, reviewing the retention policy of a repos" -"itory of interest will increase your options. For repositories without certifi" -"cation, you can evaluate their quality by comparing their policies to the stan" -"dards of a certification. Read more on trusted data repositories at The University of Edin" -"burgh and OpenAIRE.

                                      -\n" -"

                                      To increase the visibility of research data" -", opt for disciplinary repositories: search by discipline in re3data.org.

                                      -\n" -"

                                      For solutions governed by Canadian legislat" -"ion, it is possible to browse by country of origin in re3data.org. In addition" -", Canada’s digital research infrastructure offers the Federated Research" -" Data Repository (FRDR). Finally," -" it is quite possible that your institution has its own research data reposito" -"ry.

                                      -\n" -"

                                      To make sure the selected repository meets " -"the requirements of your DMP, feel free to seek advice from a resource person or contact the DMP Coordinator at support@portagenetwork.ca.

                                      " -msgstr "" - -msgid "" -"

                                      Preparing research data for eventual preser" -"vation involves different tasks that may have costs that are budgeted for pref" -"erably in the funding application. This could require a cost model or simply t" -"he basic sections of the UK Data Service Costing T" -"ool.

                                      -\n" -"

                                      Include this cost estimate in the Responsibilities and Resources section.

                                      -\n" -"

                                      If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                      " -msgstr "" - -msgid "" -"

                                      If applicable, retrieve written consent from an institution's ethics approv" -"al process. If the research involves human participants, verify that the conte" -"nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

                                      -\n" -"

                                      Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. <" -"span style=\"font-weight: 400;\">Read more about data security at UK Data Service." -"

                                      " -msgstr "" - -msgid "" -"

                                      If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or Réseau P" -"ortage.

                                      -\n" -"

                                      Also make sure that metadata does not discl" -"ose sensitive data.

                                      -\n" -"

                                      Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                      " -msgstr "" - -msgid "" -"

                                      Describe the allocation of copyrights between members of the research team " -"and external copyright holders (include libraries, archives and museums). Veri" -"fy that the licenses to use the research materials identified in the Shari" -"ng and Reuse section are consistent with the description in this section." -"

                                      -\n" -"

                                      If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person.

                                      " -msgstr "" - -msgid "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." -msgstr "" - -msgid "" -"

                                      Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                      Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

                                      -\n" -"

                                      Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                      " -msgstr "" - -msgid "" -"

                                      If the DMP is at the funding application st" -"age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

                                      -\n" -"

                                      Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                      " -msgstr "" - -msgid "" -"Taking into account all the aspects in the pre" -"vious sections, estimate the overall cost of implementing the data management " -"plan. Consider both the management activities required during the active phase" -" of the project and the preservation phase. Some of these costs may be covered" -" by funding agencies." -msgstr "" - -msgid "" -"A clas" -"sification system is a useful tool," -" especially if you work with original manuscripts or non-digital objects (for " -"example, manuscripts in binders). Provide the description of your classificati" -"on system in this plan or provide reference to the documents containing it. " -msgstr "" - -msgid "" -"

                                      Naming conventions should be developed. Pro" -"vide the description of your naming and versioning procedure in this plan or p" -"rovide reference to documents containing it. Read more about file naming and v" -"ersion control at UK Data Service" -".

                                      " -msgstr "" - -msgid "" -"e.g. fi" -"eld notebook, information log, committee implementation, tools such as " -"OpenRefine or " -"QAMyData; consistency with standard" -"s. " -msgstr "" - -msgid "" -"You may want to systematically include a documentation section in project prog" -"ress reports or link quality assurance activities to the documentation. It is " -"good practice to ensure that data management is included in the tasks of desig" -"nated individuals." -msgstr "" - -msgid "" -"

                                      A metadata schema is very useful to systematize the description of rese" -"arch material while making it readable by computers, thus contributing to a be" -"tter dissemination of this material (e.g.: see R&ea" -"cute;seau Info-Musée [link in French] or Cataloging Cultura" -"l Objects). However, their use may result in a loss of information on prov" -"enance or contextualization, so ensure that this documentation is present else" -"where.

                                      -\n" -"

                                      Resource for exploring and identifying meta" -"data schemas that may be helpful: RDA Metadata Directory.

                                      -\n" -"

                                      Resources for exploring controlled vocabula" -"ries: CIDOC/ICOM Conceptual Reference Mode" -"l, Linked Open Vocabulari" -"es. If needed, contact a DMP resource person at your institution" -".

                                      " -msgstr "" - -msgid "" -"

                                      La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

                                      -\n" -"

                                      Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                      -" -"\n" -"

                                      Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                      " -msgstr "" - -msgid "" -"

                                      If applicable, retrieve written consent fro" -"m an institution's ethics approval process. If the research involves human par" -"ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

                                      -\n" -"

                                      Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. Read mor" -"e about data security at UK Data Service<" -"span style=\"font-weight: 400;\">.

                                      " -msgstr "" - -msgid "" -"

                                      If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or the Portage Network.

                                      -\n" -"

                                      Also make sure that metadata does not discl" -"ose sensitive data.

                                      -\n" -"

                                      Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                      " -msgstr "" - -msgid "" -"

                                      Describe the allocation of copyrights betwe" -"en members of the research team and external copyright holders (include librar" -"ies, archives and museums). Verify that the licenses to use the research mater" -"ials identified in the Sharing and " -"Reuse section are consistent with " -"the description in this section.

                                      -\n" -"

                                      If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person." -msgstr "" - -msgid "" -"Example: Reporting in a recognized data repository, attributi" -"on of a perennial identifier such as DOI (see the FREYA proje" -"ct guide), reporting in mailing lists and social networks." -msgstr "" - -msgid "" -"

                                      To optimize the dissemination of research material, follow the FAIR princip" -"les as much as possible. The Australian Research Data Commons" -" offers an easy-to-use tool for assessing compliance with these principles" -". The Digita" -"l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

                                      -\n" -"

                                      To make the material retrievable by other tools and to cite it in scholarly" -" publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

                                      -\n" -"

                                      If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                      " -msgstr "" - -msgid "" -"

                                      Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                      " -msgstr "" - -msgid "" -"Describe the process to be followed, the actio" -"ns to be taken, and the avenues to be considered to ensure ongoing data manage" -"ment if significant changes occur. Here are possible events to consider: a pri" -"ncipal investigator is replaced, a person designated in the assignment table c" -"hanges, a student who has finished their project related to research data in t" -"his DMP leaves." -msgstr "" - -msgid "" -"The data source(s) for this project is/are the" -" <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" -"urrent version(s) is/are: <<Record number>>." -msgstr "" - -msgid "" -"The record number is available on Statistics C" -"anada's website which can be accessed directly, or through our website: crdcn.org/dat" -"a. E.g. Aboriginal People's Survey " -"2017 Record number:3250 https://w" -"ww23.statcan.gc.ca/imdb/p2SV.pl?Function=getSurvey&SDDS=3250" -msgstr "" - -msgid "" -"External or Supplemental data are the data use" -"d for your research project that are not provided to you by Statistics Canada " -"through the Research Data Centre program." -msgstr "" - -msgid "" -"Resources are available on the CRDCN website t" -"o help. A recommendation from CRDCN on how to document your research contribut" -"ions can be found here. For ideas on how to properly curate reproducible resea" -"rch, you can go here: https://labordy" -"namicsinstitute.github.io/replication-tutorial-2019/#/" -msgstr "" - -msgid "" -"Syntax: Any code used by the researcher to tra" -"nsform the raw data into the research results. This most commonly includes, bu" -"t is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code." -msgstr "" - -msgid "" -"Because of the structure of the agreements und" -"er which supplemental data are brought into the RDC we highly recommend a para" -"llel storage and backup to simplify sharing of these research data. Note that " -"\"data\" here refers not only to the raw data, but to any and all data generated" -" in the course of conducting the research." -msgstr "" - -msgid "" -"

                                      Consider also what file-format you will use" -". Will this file format be useable in the future? Is it proprietary?" -msgstr "" - -msgid "" -"A tool provided by OpenAIRE can help researche" -"rs estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs." -msgstr "" - -msgid "" -"

                                      Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and how long " -"it should be archived. Decisions should align with Research Ethics Board requi" -"rements. Methods used to share data will be dependent on the type, size, compl" -"exity and degree of sensitivity of data. Outline problems anticipated in shari" -"ng data, along with causes and possible measures to mitigate these. Problems m" -"ay include confidentiality, lack of consent agreements, or concerns about Inte" -"llectual Property Rights, among others.

                                      -\n" -"Reused from: Digital Curation Centre. (2013). " -"Checklist for a Data Management Plan. v.4.0. Restrictions can be imposed by limiting phys" -"ical access to storage devices, placing data on computers with no access to th" -"e Internet, through password protection, and by encrypting files. Sensitive da" -"ta should never be shared via email or cloud storage services such as Dropbox<" -"/span>" -msgstr "" - -msgid "" -"Obtaining the appropriate consent from researc" -"h participants is an important step in assuring Research Ethics Boards that th" -"e data may be shared with researchers outside your project. The consent statem" -"ent may identify certain conditions clarifying the uses of the data by other r" -"esearchers. For example, it may stipulate that the data will only be shared fo" -"r non-profit research purposes or that the data will not be linked with person" -"ally identified data from other sources. Read more about data security: UK Data Archive" -"." -msgstr "" - -msgid "" -"

                                      Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

                                      -\n" -"

                                      Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

                                      " -msgstr "" - -msgid "" -"Describe the purpose or goal of this project. " -"Is the data collection for a specific study or part of a long-term collection " -"effort? What is the relationship between the data you are collecting and any e" -"xisting data? Note existing data structure and procedures if building on previ" -"ous work." -msgstr "" - -msgid "" -"Types of data you may create or capture could " -"include: geospatial layers (shapefiles; may include observations, models, remo" -"te sensing, etc.); tabular observational data; field, laboratory, or experimen" -"tal data; numerical model input data and outputs from numerical models; images" -"; photographs; video." -msgstr "" - -msgid "" -"

                                      Please also describe the tools and methods " -"that you will use to collect or generate the data. Outline the procedures that" -" must be followed when using these tools to ensure consistent data collection " -"or generation. If possible, include any sampling procedures or modelling techn" -"iques you will use to collect or generate your data.

                                      " -msgstr "" - -msgid "" -"

                                      Try to use pre-existing collection standard" -"s, such as the CCME’s Proto" -"cols for Water Quality Sampling in Canada, whenever possible. 

                                      -\n" -"

                                      If you will set up monitoring station(s) to" -" continuously collect or sample water quality data, please review resources su" -"ch as the World Meteorological Organization’s tec" -"hnical report on Water Quality Monitoring and CCME’s Pro" -"tocols for Water Quality Guidelines in Canada.

                                      " -msgstr "" - -msgid "" -"Include full references or links to the data w" -"hen possible. Identify any license or use restrictions and ensure that you und" -"erstand the policies for permitted use, redistribution and derived products." -msgstr "" - -msgid "" -"

                                      Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

                                      -\n" -"
                                        -\n" -"
                                      • Data governed by" -" third party agreements, contracts or legislation.
                                      • -\n" -"
                                      • Personal informa" -"tion, health related data, biological samples, etc.
                                      • -\n" -"
                                      • Indigenous knowl" -"edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
                                      • -\n" -"
                                      • Data collected w" -"ith an industry partner.
                                      • -\n" -"
                                      • Location informa" -"tion of species at risk. 
                                      • -\n" -"
                                      • Data collected o" -"n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
                                      • -" -"\n" -"
                                      -\n" -"Additional sensitivity assessment can be made " -"using data classification matrices such as the University of Saskatchewan Data Classification guidance." -msgstr "" - -msgid "" -"

                                      Methods used to share data will be dependen" -"t on the type, size, complexity and degree of sensitivity of data. Outline any" -" problems anticipated in sharing data, along with causes and possible measures" -" to mitigate these. Problems may include confidentiality, lack of consent agre" -"ements, or concerns about Intellectual Property Rights, among others. -\n" -"

                                      Decisions should align with Research Ethics" -" Board requirements. If you are collecting water quality data from Indigenous " -"communities, please also review resources such as the Tri-Council Policy State" -"ment (TCPS2) - Chapter 9: Research Involv" -"ing the First Nations, Inuit and Métis Peoples of Canada, the First Nations Principles of OCAP, the CARE Principles of Indigenous Data Governance, the National Inuit Strategy on Research, and Negotiating Research Relationships wi" -"th Inuit Communities as appropriate" -". 

                                      -\n" -"Restrictions can be imposed by limiting physic" -"al access to storage devices, placing data on computers with no access to the " -"Internet, through password protection, and by encrypting files. Sensitive data" -" should never be shared via email or cloud storage services such as Dropbox. R" -"ead more about data security here: UK Data Service. " -msgstr "" - -msgid "" -"

                                      Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and for how l" -"ong it should be archived. If you must restrict some data from sharing, consid" -"er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

                                      -\n" -"

                                      Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of your data by oth" -"er researchers. For example, it may stipulate that the data will only be share" -"d for non-profit research purposes or that the data will not be linked with pe" -"rsonally identified data from other sources. It is important to consider how t" -"he data you are collecting may contribute to future research prior to obtainin" -"g research ethics approval since consent will dictate how the data can be used" -" in the immediate study and in perpetuity.

                                      " -msgstr "" - -msgid "" -"

                                      Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

                                      -\n" -"

                                      Describe ownership, licensing, and any inte" -"llectual property rights associated with the data. Check your institution's po" -"licies for additional guidance in these areas. The University of Waterloo has " -"a good example of an institutional policy on Intellectual Property Rights" -".

                                      -\n" -"

                                      Terms of reuse must be clearly stated, in l" -"ine with the relevant legal and ethical requirements where applicable (e.g., s" -"ubject consent, permissions, restrictions, etc.).

                                      " -msgstr "" - -msgid "" -"Data should be collected and stored using mach" -"ine readable, non-proprietary formats, such as .csv, .json, or .tiff. Propriet" -"ary file formats requiring specialized software or hardware to use are not rec" -"ommended, but may be necessary for certain data collection or instrument analy" -"sis methods. If a proprietary format must be used, can it be converte" -"d to an open format or accessed using free and open source tools?
                                      " -"
                                      Using open file formats or industry-standard formats (e.g. those widely " -"used by a given community) is preferred whenever possible. Read more about fil" -"e formats: UBC Library, USGS, DataONE, or UK Data Service." -msgstr "" - -msgid "" -"

                                      File names should:

                                      -\n" -"
                                        -\n" -"
                                      • Clearly identify the name of the project (" -"Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" -"nd type of data in the file;
                                      • -\n" -"
                                      • Avoid use of special characters, such as  $ % ^ & # | :, to preve" -"nt errors and use an underscore ( _)  or dash (-) rather than spaces; -\n" -"
                                      • Be as concise as possible. Some instrument" -"s may limit you to specific characters. Check with your labs for any naming St" -"andard Operating Procedures (SOPs) or requirements. 
                                      • -\n" -"
                                      -\n" -"

                                      Data Structure:

                                      -\n" -"
                                        -\n" -"
                                      • It is important to keep track of different" -" copies or versions of files, files held in different formats or locations, an" -"d information cross-referenced between files. This process is called 'version " -"control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" -". v1.1.0);
                                      • -\n" -"
                                      • Logical file structures, informative naming conventions and clear indicati" -"ons of file versions all contribute to better use of your data during and afte" -"r your research project.  These practices will help ensure that you and y" -"our research team are using the appropriate version of your data and minimize " -"confusion regarding copies on different computers and/or on different media.&n" -"bsp;
                                      • -\n" -"
                                      -\n" -"

                                      Read more about file naming and version control: UBC Library or UK Data Service.

                                      " -msgstr "" - -msgid "" -"Typically, good documentation includes informa" -"tion about the study, data-level descriptions and any other contextual informa" -"tion required to make the data usable by other researchers. Elements to docume" -"nt, as applicable, include: research methodology, variable definitions, vocabu" -"laries, classification systems, units of measurement, assumptions made, format" -" and file type of the data, and details of who has worked on the project and p" -"erformed each task, etc.  

                                      A readme file describing your formatting, naming conventions and proc" -"edures can be used to promote use and facilitate adherence to data policies. F" -"or instance, describe the names or naming process used for your study sites.

                                      Verify the spelling of study " -"site names using the
                                      Canadian Geographical Names Database

                                      If yo" -"ur data will be collected on Indigenous lands, ensure your naming scheme follo" -"ws the naming conventions determined by the community.
                                      " -msgstr "" - -msgid "" -"

                                      Include descriptions of sampling procedures" -" and hardware or software used for data collection, including make, model and " -"version where applicable. Sample and replicate labels<" -"span style=\"font-weight: 400;\"> should have a consistent format (sample number" -", name, field site, date of collection, analysis requested and preservatives a" -"dded, if applicable) and a corresponding document with descriptions of any cod" -"es or short forms used. 

                                      For examples and guidelines, see the
                                      CCME Protocols Manual for Water Quality Sampling in Canada (taxonomy example p. 11, general guidelines p. 3" -"2-33). 

                                      Consistency, re" -"levance and cost-efficiency are key factors of sample collection and depend on" -" the scope of the project. For practical considerations, see “4.3 Step 3" -". Optimizing Data Collection and Data Quality” in the CCME Guidance Manual for Opti" -"mizing Water Quality Monitoring Program Design.

                                      " -msgstr "" - -msgid "" -"

                                      It is important to have a standardized data" -" analysis procedure and metadata detailing both the collection and analysis of" -" the data. For guidance see “4.4 Step 4. Data Analysis, Interpretation a" -"nd Evaluation” in the CCME Guidance Manual for Optimizing Water Quality Monitoring " -"Program Design. 

                                      If" -" you will collect or analyze data as part of a wider program, such as the Canadian Aquatic Biomonitoring Network, include links to the appropriate guidance documents.

                                      " -msgstr "" - -msgid "" -"

                                      Include documentation about what QA/QC proc" -"edures will be performed. For guidance see “1.3 QUALITY ASSURANCE/CONTRO" -"L IN SAMPLING” in the CC" -"ME Integrated guidance manual of sampli" -"ng protocols for water quality monitoring in Canada or the Quality-Control Design for Surfa" -"ce-Water Sampling in the National Water-Quality Network from the USGS.

                                      " -msgstr "" - -msgid "" -"Consider how you will capture this information" -" and where it will be recorded, ideally in advance of data collection and anal" -"ysis, to ensure accuracy, consistency, and completeness of the documentation. " -"Writing guidelines or instructions for the documentation process will enhance " -"adoption and consistency among contributors. Often, resources you have already created can contribute to this (e.g., " -"laboratory Standard Operating Procedures (SOPs), recommended textbooks,  " -"publications, websites, progress reports, etc.).  

                                      It is useful to consult regularly with the me" -"mbers of the research team to capture potential changes in data collection or " -"processing that need to be reflected in the documentation. Individual roles an" -"d workflows should include gathering data documentation as a key element. Researchers should audit their documentatio" -"n at a specific time interval (e.g., bi-weekly) to ensure documentation is cre" -"ated properly and information is captured consistently throughout the project." -" " -msgstr "" - -msgid "" -"

                                      Water Quality metadata standards:

                                      -\n" -"
                                        -\n" -"
                                      • DS-WQX: A schema designed for data entered into the DataStream reposi" -"tory based off of the US EPA’s WQX standard.
                                      • -\n" -"
                                      • WQX: Data model designed by the US EPA and USGS for" -" upload to their water quality exchange portal.
                                      • -\n" -"
                                      -\n" -"

                                      Ecological metadata standards:

                                      -\n" -" -\n" -"

                                      Geographic metadata standards:

                                      -\n" -"
                                        -\n" -"
                                      • ISO 1911" -"5: International Standards Organisa" -"tion’s schema for describing geographic information and services." -"
                                      • -\n" -"
                                      -\n" -"

                                      Read more about metadata standards: " -"UK Digital Curation Centre's Disciplinary Metadata.

                                      " -msgstr "" - -msgid "" -"

                                      Metadata describes a dataset and provides v" -"ital information such as owner, description, keywords, etc. that allow data to" -" be shared and discovered effectively. Researchers are encouraged to adopt com" -"monly used and interoperable metadata schemas (general or domain-specific), wh" -"ich focus on the exchange of data via open spatial standards. Dataset document" -"ation should be provided in a standard, machine readable, openly-accessible fo" -"rmat to enable the effective exchange of information between users and systems" -". 

                                      " -msgstr "" - -msgid "" -"Deviation from existing metadata standards should only occur when necessary. I" -"f this is the case, please document these deviations so that others can recrea" -"te your process." -msgstr "" - -msgid "" -"Once a standard has been chosen, it is importa" -"nt that data collectors have the necessary tools to properly create or capture" -" the metadata. Audits of collected meta" -"data should occur at specific time intervals (e.g., bi-weekly) to ensure metad" -"ata is created properly and captured consistently throughout the project.

                                      Some tips for ensuring good met" -"adata collection are:
                                      -\n" -"
                                        -\n" -"
                                      • Provide support documentation and routine metadata training to data collec" -"tors.
                                      • -\n" -"
                                      • Provide data collectors with thorough data" -" collection tools (e.g., field or lab sheets) so they are able to capture the " -"necessary information.
                                      • -\n" -"
                                      • Samples or notes recorded in a field or la" -"b book should be scanned or photographed daily to prevent lost data. -\n" -"
                                      " -msgstr "" - -msgid "" -"Storage-space estimates should take into accou" -"nt requirements for file versioning, backups and growth over time. A long-term storage plan is necessary if you inten" -"d to retain your data after the research project.
                                      " -msgstr "" - -msgid "" -"

                                      The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite. Data may be stored using optical or magnetic media, which can be remova" -"ble (e.g., DVD and USB drives), fixed (e.g., desktop or laptop hard drives), o" -"r networked (e.g., networked drives or cloud-based servers such as Compute Ca" -"nada). Each storage method has bene" -"fits and drawbacks that should be considered when determining the most appropr" -"iate solution.

                                      Raw data shou" -"ld be preserved and never altered. Some options for preserving raw data are st" -"oring on a read-only drive or archiving the raw, unprocessed data. The preserv" -"ation of raw data should be included in the data collection process and backup" -" procedures.

                                      Examples of fur" -"ther information on storage and backup practices are available from the" -" University of Toronto and the UK Data Service<" -"/a>.

                                      " -msgstr "" - -msgid "" -"An ideal shared data management solution facil" -"itates collaboration, ensures data security and is easily adopted by users wit" -"h minimal training. Tools such as the Globus file transfer system, currently in use by many academic institutions, all" -"ows data to be securely transmitted between researchers or to centralized proj" -"ect data storage. Relying on email for data transfer is not a robust or secure" -" solution. 

                                      Third-party" -" commercial file sharing services (such as Google Drive and Dropbox) facilitat" -"e file exchange, but they are not necessarily permanent or secure, and are oft" -"en located outside Canada. Additional r" -"esources such as Open Science Framework and Com" -"pute Canada are also recommended op" -"tions for collaborations. 
                                      If your data will be collected on Indigenous lands, how will you share dat" -"a with community members throughout the project? 

                                      Please contact librarians at your institution to de" -"termine if there is support available to develop the best solution for your re" -"search project.
                                      " -msgstr "" - -msgid "" -"Describe the roles and responsibilities of all" -" parties with respect to the management of the data. Consider the following:
                                      -\n" -"
                                        -\n" -"
                                      • If there are multiple investigators involv" -"ed, what are the data management responsibilities of each investigator? <" -"/span>
                                      • -\n" -"
                                      • If data will be collected by students, cla" -"rify the student role versus the principal investigator role, and identify who" -" will hold theIntellectual Property rights.  
                                      • -\n" -"
                                      • Will training be required to perform the d" -"ata collection or data management tasks? If so, how will this training be admi" -"nistered and recorded? 
                                      • -\n" -"
                                      • Who will be the primary person responsible" -" for ensuring compliance with the Data Management Plan during all stages of th" -"e data lifecycle?
                                      • -\n" -"
                                      • Include the time frame associated with the" -"se staff responsibilities and any training needed to prepare staff for these d" -"uties.
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"Indicate a succession strategy for these data " -"in the event that one or more people responsible for the data leaves (e.g., a " -"student leaving after graduation). Desc" -"ribe the process to be followed in the event that the Principal Investigator l" -"eaves the project. In some instances, a co-investigator or the department or d" -"ivision overseeing this research will assume responsibility." -msgstr "" - -msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project and those required for longer-term suppor" -"t for the data when the project is finished, such as the cost of preparing&nbs" -"p; your data for deposit and repository fees. Some funding agencies state explicitly the support that they will provi" -"de to meet the cost of preparing data for deposit. This might include technica" -"l aspects of data management, training requirements, file storage & backup" -" and contributions of non-project staff. Can you leverage existing resources, such as Compute Canada Resources, Unive" -"rsity Library Data Services, etc. to support implementation of your DMP?
                                      " -"

                                      To help assess costs, OpenAIRE&rs" -"quo;s ‘estimating costs RDM tool’ may be useful. " -msgstr "" - -msgid "" -"Use all or parts of existing strategies to mee" -"t your requirements." -msgstr "" - -msgid "" -"

                                      In these instances, it is critical to asses" -"s whether data can or should be shared. It is necessary to comply with:" -"

                                      -\n" -"
                                        -\n" -"
                                      • Data treatment p" -"rotocols established by the Research Ethics Board (REB) process, including dat" -"a collection consent, privacy considerations, and potential expectations of da" -"ta destruction;
                                      • -\n" -"
                                      • Data-sharing agr" -"eements or contracts.  Data that you source or derive from a third party " -"may only be shared in accordance with the original data sharing agreements or " -"licenses;
                                      • -\n" -"
                                      • Any relevant leg" -"islation.
                                      • -\n" -"
                                      -\n" -"

                                      Note:  If raw " -"or identifiable data cannot be shared, is it possible to share aggregated data" -", or to de-identify your data, or coarsen location information for sharing? If" -" data cannot be shared, consider publishing descriptive metadata (data about t" -"he data), documentation and contact information that will allow others to disc" -"over your work.

                                      " -msgstr "" - -msgid "" -"

                                      Think about what data needs to be shared to" -" meet institutional or funding requirements, and what data may be restricted b" -"ecause of confidentiality, privacy, or intellectual property considerations.

                                      -\n" -"
                                        -\n" -"
                                      • Raw data are unprocessed data directly obtained from sampling, field instrume" -"nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" -"p; Sharing raw data is valuable because it enables researchers to evaluate new" -" processing techniques and analyse disparate datasets in the same way. 
                                      • -\n" -"
                                      • Processed data results from some manipulation of the raw data in order to eli" -"minate errors or outliers, to prepare the data for analysis or preservation, t" -"o derive new variables, or to de-identify the sampling locations. Processing s" -"teps need to be well described.
                                      • -\n" -"
                                      • Analyzed data are the results of qualitative, statistical, or mathematical an" -"alysis of the processed data. They may  be presented as graphs, charts or" -" statistical tables.
                                      • -\n" -"
                                      • Final data are processed " -"data that have undergone a review process to ensure data quality and, if neede" -"d, have been converted into a preservation-friendly format.
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"Data repositor" -"ies help maintain scientific data over time and support data discovery, reuse," -" citation, and quality. Researchers are encouraged to deposit data in leading " -"“domain-specific” repositories, especially those that are FAIR-ali" -"gned, whenever possible.
                                      -\n" -"

                                      Domain-specific repositories for water quality data include:

                                      -\n" -"
                                        -\n" -"
                                      • DataStream: A f" -"ree, open-access platform for storing, visualizing, and sharing water quality " -"data in Canada.
                                      • -\n" -"
                                      • Canadian Aquatic Biomonitoring Network (CABIN)" -": A national biomonitoring program developed b" -"y Environment and Climate Change Canada that provides a standardized sampling " -"protocol and a recommended assessment approach for assessing aquatic ecosystem" -" condition.
                                      • -\n" -"
                                      -\n" -"

                                      General Repositories:

                                      -\n" -"
                                        -\n" -"
                                      • Federated Research Data Repository: A scalable federated platform for digital research d" -"ata management (RDM) and discovery.
                                      • -\n" -"
                                      • Institution-spec" -"ific Dataverse: Please contact your institution’s library to see if this" -" is a possibility.
                                      • -\n" -"
                                      -\n" -"

                                      Other resources:

                                      -\n" -"" -msgstr "" - -msgid "" -"Consider using preservation-friendly file form" -"ats. For example, non-proprietary formats, such as text (.txt) and comma-separ" -"ated (.csv), are considered preservation-friendly. For guidance, please see UBC Library" -", USGS, DataONE, or UK Data Service. Keep in mind that files converted from one format" -" to another may lose information (e.g., converting from an uncompressed TIFF f" -"ile to a compressed JPG file degrades image quality), so changes to file forma" -"ts should be documented. 

                                      Some data you collect may be deemed sensitive and require unique preservati" -"on techniques, including anonymization. Be sure to note what this data is and " -"how you will preserve it to ensure it is used appropriately. Read more about a" -"nonymization: UBC Library or UK Data Service." -msgstr "" - -msgid "" -"Licenses dictate how your data can be used. Fu" -"nding agencies and data repositories may have end-user license requirements in" -" place; if not, they may still be able to guide you in choosing or developing " -"an appropriate license. Once determined, please consider including a copy of y" -"our end-user license with your Data Management Plan. Note that only the intell" -"ectual property rights holder(s) can issue a license, so it is crucial to clar" -"ify who owns those rights. 

                                      There are several types of standard licenses available to researchers, su" -"ch as the Creative Commons licenses and the Open Data Commons licenses. For most datasets it is easier to use a standard license rat" -"her than to devise a custom-made one. Even if you choose to make your data par" -"t of the public domain, it is preferable to make this explicit by using a lice" -"nse such as Creative Commons' CC0. More about data licensing: UK DCC." -msgstr "" - -msgid "" -"

                                      Possibilities include: data registries, rep" -"ositories, indexes, word-of-mouth, publications. How will the data be accessed" -" (Web service, ftp, etc.)? One of the best ways to refer other researchers to " -"your deposited datasets is to cite them the same way you cite other types of p" -"ublications. The Digital Curation Centre provides a detailed guide on data citation. S" -"ome repositories also create links from datasets to their associated papers, i" -"ncreasing the visibility of the publications. Read more at the National Instit" -"utes of Health’s Key Element" -"s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                                      -\n" -"Contact librarians at your institution for ass" -"istance in making your dataset visible and easily accessible, or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca" -msgstr "" - -msgid "" -"

                                      The types of data you collect may include: " -"literature database records; PDFs of articles; quantitative and qualitative da" -"ta extracted from individual studies; a document describing your study protoco" -"l or other methods.

                                      " -msgstr "" - -msgid "" -"

                                      For a systematic review (or other knowledge" -" synthesis types of studies), data includes the literature you find, the data " -"that you extract from it, and the detailed methods and information that would " -"allow someone else to reproduce your results. To identify the data that will b" -"e collected or generated by your research project, start by thinking of the different stages of a systematic review a" -"nd how you are going to approach each: planning/protocol, data collection (lit" -"erature searching), study selection (screening), data extraction, risk of bias" -" assessment, synthesis, manuscript preparation.

                                      " -msgstr "" - -msgid "" -"

                                      Word, RTF, PDF, etc.: proj" -"ect documents, notes, drafts, review protocol, line-by-line search strategies," -" PRISMA or other reporting checklists; included studies

                                      -\n" -"

                                      RIS, BibTex, XML, txt: fil" -"es exported from literature databases or tools like Covidence

                                      -\n" -"

                                      Excel (xlsx, csv): search " -"tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" -"traction worksheets; meta-analysis data

                                      -\n" -"

                                      NVivo: qualitative synthes" -"is data

                                      -\n" -"

                                      TIF, PNG, etc.: images and" -" figures

                                      -\n" -"

                                      For more in-depth guidance, see “Data" -" Collection” in the University of Calgary Library Guide" -".

                                      " -msgstr "" - -msgid "" -"

                                      If you plan to use systematic review softwa" -"re or reference management software for screening and data management, indicat" -"e which program you will use, and what format files will be saved/exported in." -"

                                      -\n" -"

                                      Keep in mind that proprietary file formats " -"will require team members and potential future users of the data to have the r" -"elevant software to open or edit the data. While you may prefer to work with d" -"ata in a proprietary format, files should be converted to non-proprietary form" -"ats wherever possible at the end of the project. Read more about file formats:" -" <" -"span style=\"font-weight: 400;\">UBC Library or UK Data Service.

                                      " -msgstr "" - -msgid "" -"

                                      Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" -"le

                                      -\n" -"

                                      Example: Sutton_2019_MeetingTheReview

                                      -\n" -"

                                      Suggested format - screening file for reviewers:<" -"span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials -\n" -"

                                      Example: PetTherapy_ScreeningSet1_ZP" -"

                                      -\n" -"For more examples, see “Data Collection&" -"rdquo; in the <" -"span style=\"font-weight: 400;\">University of Calgary Library Guide
                                      <" -"span style=\"font-weight: 400;\">.
                                      " -msgstr "" - -msgid "" -"

                                      It is important to keep track of different " -"copies or versions of files, files held in different formats or locations, and" -" information cross-referenced between files. Logical file structures, informat" -"ive naming conventions, and clear indications of file versions, all help ensur" -"e that you and your research team are using the appropriate version of your da" -"ta, and will minimize confusion regarding copies on different computers and/or" -" on different media.

                                      -\n" -"

                                      Read more about file naming and version con" -"trol: UBC Library or UK Data Archive" -".

                                      -\n" -"Consider a naming convention that includes: th" -"e project name and date using the ISO standard for d" -"ates as required elements and stage" -" of review/task, version number, creator’s initials, etc. as optional el" -"ements as necessary." -msgstr "" - -msgid "" -"Good documentation includes information about " -"the study, data-level descriptions, and any other contextual information requi" -"red to make the data usable by other researchers. Other elements you should do" -"cument, as applicable, include: research methodology used, variable definition" -"s, units of measurement, assumptions made, format and file type of the data, a" -" description of the data capture and collection methods, explanation of data c" -"oding and analysis performed (including syntax files), and details of who has " -"worked on the project and performed each task, etc. Some of this should alread" -"y be in your protocol. For specific examples for each stage of the review, see" -" “Documentation and Metadata” in the University o" -"f Calgary Library Guide." -msgstr "" - -msgid "" -"

                                      Where will the process and procedures for e" -"ach stage of your review be kept and shared? Will the team have a shared works" -"pace? 

                                      -\n" -"

                                      Who will be responsible for documenting eac" -"h stage of the review? Team members responsible for each stage of the review s" -"hould add the documentation at the conclusion of their work on a particular st" -"age, or as needed. Refer back to the data collection guidance for examples of " -"the types of documentation that need to be created.

                                      -\n" -"

                                      Often, resources you've already created can" -" contribute to this (e.g. your protocol). Consult regularly with members of th" -"e research team to capture potential changes in data collection/processing tha" -"t need to be reflected in the documentation. Individual roles and workflows sh" -"ould include gathering data documentation.

                                      " -msgstr "" - -msgid "" -"Most systematic reviews will likely not use a " -"metadata standard, but if you are looking for a standard to help you code your" -" data, see the Digital Curation Centre’s list of di" -"sciplinary metadata standards." -msgstr "" - -msgid "" -"

                                      Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time. A long-" -"term storage plan is necessary if you intend to retain your data after the res" -"earch project or update your review at a later date.

                                      -\n" -"

                                      A systematic review project will not typica" -"lly require more than a few GB of storage space; these needs can be met by mos" -"t common storage solutions, including shared servers.

                                      " -msgstr "" - -msgid "" -"

                                      Will you want to update and republish your " -"review? If so, a permanent storage space is necessary. If your meta-analysis i" -"ncludes individual patient-level data, you will require secure storage for tha" -"t data. If you are not working with sensitive data, a solution like Dropbox or" -" Google Drive may be acceptable. Consider who should have control over the sha" -"red account. Software to facilitate the systematic review process or for citat" -"ion management such as Covidence or Endnote may be used for active data storag" -"e of records and PDFs.

                                      -\n" -"

                                      The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                      -\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Archive." -msgstr "" - -msgid "" -"

                                      If your meta-analysis includes individual p" -"atient-level data, you will require secure storage for that data. As most syst" -"ematic reviews typically do not involve sensitive data, you likely don’t" -" need secure storage. A storage space such as Dropbox or Google Drive should b" -"e acceptable, as long as it is only shared among team members. Consider who wi" -"ll retain access to the shared storage space and for how long. Consider who sh" -"ould be the owner of the account. If necessary, have a process for transferrin" -"g ownership of files in the event of personnel changes.

                                      -\n" -"

                                      An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Relying on email for data transfer is not a robust or secure" -" solution.

                                      " -msgstr "" - -msgid "" -"

                                      The issue of data retention should be consi" -"dered early in the research lifecycle. Data-retention decisions can be driven " -"by external policies (e.g. funding agencies, journal publishers), or by an und" -"erstanding of the enduring value of a given set of data. Consider what you wan" -"t to share long-term vs. what you need to keep long-term; these might be two s" -"eparately stored data sets. 

                                      -\n" -"

                                      Long-term preservation is an important aspe" -"ct to consider for systematic reviews as they may be rejected and need to be r" -"eworked/resubmitted, or the authors may wish to publish an updated review in a" -" few years’ time (this is particularly important given the increased int" -"erest in the concept of a ‘living systematic review’). 

                                      -\n" -"For more detailed guidance, and some suggested" -" repositories, see “Long-Term Preservation” on the University of Calgary Library Guide." -msgstr "" - -msgid "" -"

                                      Some data formats are optimal for long-term" -" preservation of data. For example, non-proprietary file formats, such as text" -" ('.txt') and comma-separated ('.csv'), are considered preservation-friendly. " -"The UK Data Service<" -"span style=\"font-weight: 400;\"> provides a useful table of file formats for va" -"rious types of data. 

                                      -\n" -"

                                      Keep in mind that converting files from pro" -"prietary to non-proprietary formats may lose information or affect functionali" -"ty. If this is a concern, you can archive both a proprietary and non-proprieta" -"ry version of the file. Always document any format changes between files when " -"sharing preservation copies.

                                      " -msgstr "" - -msgid "" -"

                                      Examples of what should be shared: 

                                      -\n" -"
                                        -\n" -"
                                      • protocols <" -"/span>
                                      • -\n" -"
                                      • complete search " -"strategies for all databases 
                                      • -\n" -"
                                      • data extraction " -"forms 
                                      • -\n" -"
                                      • statistical code" -" and data files (e.g. CSV or Excel files) that are exported into a statistical" -" program to recreate relevant meta-analyses
                                      • -\n" -"
                                      -\n" -"For more examples, consult “Sharing and " -"Reuse” on the University of Calgary Library Guide" -"." -msgstr "" - -msgid "" -"

                                      Raw data are directly obta" -"ined from the instrument, simulation or survey. 

                                      -\n" -"

                                      Processed data result from" -" some manipulation of the raw data in order to eliminate errors or outliers, t" -"o prepare the data for analysis, to derive new variables. 

                                      -\n" -"

                                      Analyzed data are the resu" -"lts of qualitative, statistical, or mathematical analysis of the processed dat" -"a. They can be presented as graphs, charts or statistical tables. " -"

                                      -\n" -"Final data are processed data" -" that have, if needed, been converted into a preservation-friendly format. " -msgstr "" - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons or Open Data Commons licenses. Even if you choose to make your data part of the public " -"domain, it is preferable to make this explicit by using a license such as Crea" -"tive Commons' CC0. More about data licensing: UK Data Curation Centre." -msgstr "" - -msgid "" -"

                                      Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. You may also want to check the requirements of any jou" -"rnals you plan to submit to - do they require data associated with your manusc" -"ript to be made public? Note that only the intellectual property rights holder" -"(s) can issue a license, so it is crucial to clarify who owns those rights.

                                      -\n" -"

                                      Consider whether attribution is important t" -"o you; if so, select a license whose terms require that data used by others be" -" properly attributed to the original authors. Include a copy of your end-user " -"license with your Data Management Plan.

                                      " -msgstr "" - -msgid "" -"The datasets analysed during the current study" -" are available in the University of Calgary’s PRISM Dataverse repository" -", [https://doi.org/exampledoi]." -msgstr "" - -msgid "" -"Choose a repository that offers persistent ide" -"ntifiers such as a DOI. These are persistent links that provide stable long-te" -"rm access to your data. Ensure you put a data availability statement in your a" -"rticle, with proper citation to the location of your data. If possible, put th" -"is under its own heading. If the journal does not use this heading in its form" -"atting, you could include this information in your Methods section or as a sup" -"plementary file you provide." -msgstr "" - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties. Syst" -"ematic review projects have stages, which can act as great reminders to ensure" -" that data associated with each stage are made accessible to other project mem" -"bers in a timely fashion. " -msgstr "" - -msgid "" -"

                                      Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves. Descr" -"ibe the process to be followed in the event that the Principal Investigator le" -"aves the project. In some instances, a co-investigator or the department or di" -"vision overseeing this research will assume responsibility.

                                      -\n" -"If data is deposited into a shared space as ea" -"ch stage of the review is completed, there is greater likelihood that the team" -" has all of the data necessary to successfully handle personnel changes. NOTE: Shared storage spaces" -" such as Dropbox and Google drive are attached to an individual’s accoun" -"t and storage capacity so consideration needs to be given as to who should be " -"the primary account holder for the shared storage space, and how data will be " -"transferred to another account if that person leaves the team." -msgstr "" - -msgid "" -"Consider the cost of systematic review managem" -"ent software and citation management software if you are applying for a grant," -" as well as the cost for shared storage space, if needed. What training do you" -" or your team need to ensure that everyone is able to adhere to the processes/" -"policies outlined in the data management plan? " -msgstr "" - -msgid "" -"Most reviews do not include sensitive data, bu" -"t if you are using individual patient-level data in your meta-analysis there m" -"ay be data sharing agreements that are required between institutions. These ap" -"provals require coordination with the legal teams between multiple institution" -"s and will necessitate secure data management practices. This type of data wil" -"l not be open for sharing. Sensitive data should never be shared via email or " -"cloud storage services such as Dropbox." -msgstr "" - -msgid "" -"Systematic reviews generally do not generate s" -"ensitive data, however, it may be useful for different readers (e.g., funders," -" ethics boards) if you explicitly indicate that you do not expect to generate " -"sensitive data." -msgstr "" - -msgid "" -"

                                      Be aware that PDF articles and even databas" -"e records used in your review may be subject to copyright. You can store them " -"in your group project space, but they should not be shared as part of your ope" -"n dataset.

                                      -\n" -"

                                      If you are reusing others’ published " -"datasets as part of your meta-analysis, ensure that you are complying with any" -" applicable licences on the original dataset, and properly cite that dataset.<" -"/span>

                                      " -msgstr "" - -msgid "" -"Examples of experimental image data may includ" -"e: Magnetic Resonance (MR), X-ray, Fluorescent Resonance Energy Transfer (FRET" -"), Fluorescent Lifetime Imaging (FLIM), Atomic-Force Microscopy (AFM), Electro" -"n Paramagnetic Resonance (EPR), Laser Scanning Microscope (LSM), Extended X-ra" -"y Absorption Fine Structure (EXAFS), Femtosecond X-ray, Raman spectroscopy, or" -" other digital imaging methods. " -msgstr "" - -msgid "" -"

                                      Describe the type(s) of data that will be c" -"ollected, such as: text, numeric (ASCII, binary), images, and animations. " -";

                                      -\n" -"List the file formats you expect to use. Keep " -"in mind that some file formats are optimal for the long-term preservation of d" -"ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" -"ed ('.csv'), TIFF (‘.tiff’), JPEG (‘.jpg’), and MPEG-4" -" (‘.m4v’, ‘mp4’). Files converted from one format to a" -"nother for archiving and preservation may lose information (e.g. converting fr" -"om an uncompressed TIFF file to a compressed JPG file), so changes to file for" -"mats should be documented. Guidance on file formats recommended for sharing an" -"d preservation are available from the UK Data Service, Cornell’s Digital Repository, the University of Edinburgh, and the University of B" -"ritish Columbia. " -msgstr "" - -msgid "" -"

                                      Describe any secondary data you expect to r" -"euse. List any available documentation, licenses, or terms of use assigned. If" -" the data have a DOI or unique accession number, include that information and " -"the name of the repository or database that holds the data. This will allow yo" -"u to easily navigate back to the data, and properly cite and acknowledge the d" -"ata creators in any publication or research output.  

                                      -\n" -"

                                      For data that are not publicly available, y" -"ou may have entered into a data-sharing arrangement with the data owner, which" -" should be noted here.  A data-sharing arrangement describes what data ar" -"e being shared and how the data can be used. It can be a license agreement or " -"any other formal agreement, for example, an agreement to use copyright-protect" -"ed data.

                                      " -msgstr "" - -msgid "" -"

                                      An example of experimental data from a seco" -"ndary data source may be structures or parameters obtained from P" -"rotein Data Bank (PDB). 

                                      -\n" -"

                                      Examples of computational data and data sou" -"rces may include: log files, parameters, structures, or trajectory files from " -"previous modeling/simulations or tests.

                                      " -msgstr "" - -msgid "" -"

                                      List all devices and/or instruments and des" -"cribe the experimental setup (if applicable) that will be utilized to collect " -"empirical data. For commercial instruments or devices, indicate the brand, typ" -"e, and other necessary characteristics for identification. For a home-built ex" -"perimental setup, list the components, and describe the functional connectivit" -"y. Use diagrams when essential for clarity. 

                                      -\n" -"

                                      Indicate the program and software package w" -"ith the version you will use to prepare a structure or a parameter file for mo" -"deling or simulation. If web-based services such as FALCON@home" -", ProM" -"odel, CHARMM-GUI, etc. will be used to prepare or generate data, provide" -" details such as the name of the service, URL, version (if applicable), and de" -"scription of how you plan to use it. 

                                      -\n" -"If you plan to use your own software or code, " -"specify where and how it can be obtained to independently verify computational" -" outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" -"r source. Specify if research collaboration platforms such as CodeOcean, or
                                      WholeTale
                                      will be used to create, execute, and publish computational findings. " -msgstr "" - -msgid "" -"Reproducible computational practices are criti" -"cal to continuing progress within the discipline. At a high level, describe th" -"e steps you will take to ensure computational reproducibility in your project," -" including the operations you expect to perform on the data, and the path take" -"n by the data through systems, devices, and/or procedures. Describe how an ins" -"trument response function will be obtained, and operations and/or procedures t" -"hrough which data (research and computational outputs) can be replicated. Indi" -"cate what documentation will be provided to ensure the reproducibility of your" -" research and computational outputs." -msgstr "" - -msgid "" -"

                                      Some examples of data procedures include: d" -"ata normalization, data fitting, data convolution, or Fourier transformation.&" -"nbsp;

                                      -\n" -"

                                      Examples of documentation may include: synt" -"ax, code, algorithm(s), parameters, device log files, or manuals. 

                                      " -msgstr "" - -msgid "" -"

                                      Documentation can be provided in the form o" -"f a README file with information to ensure the data can be correctly interpret" -"ed by you or by others when you share or publish your data. Typically, a READM" -"E file includes a description (or abstract) of the study, and any other contex" -"tual information required to make data usable by other researchers. Other info" -"rmation could include: research methodology used, variable definitions, vocabu" -"laries, units of measurement, assumptions made, format and file type of the da" -"ta, a description of the data origin and production, an explanation of data fi" -"le formats that were converted, a description of data analysis performed, a de" -"scription of the computational environment, references to external data source" -"s, details of who worked on the project and performed each task. Further guida" -"nce on writing README files is available from the University of British Columb" -"ia (U" -"BC) and Cornell" -" University. 

                                      -\n" -"

                                      Consider also saving detailed information d" -"uring the course of the project in a log file. A log file will help to manage " -"and resolve issues that arise during a project and prioritize the response to " -"them. It may include events that occur in an operating system, messages betwee" -"n users, run time and error messages for troubleshooting. The level of detail " -"in a log file depends on the complexity of your project.

                                      " -msgstr "" - -msgid "" -"

                                      Consider how you will capture this informat" -"ion in advance of data production and analysis, to ensure accuracy, consistenc" -"y, and completeness of the documentation.  Often, resources you've alread" -"y created can contribute to this (e.g. publications, websites, progress report" -"s, etc.).  It is useful to consult regularly with members of the research" -" team to capture potential changes in data collection/processing that need to " -"be reflected in the documentation. Individual roles and workflows should inclu" -"de gathering data documentation as a key element.

                                      -\n" -"Describe how data will be shared and accessed " -"by the members of the research group during the project. Provide details of th" -"e data management service or tool (name, URL) that will be utilized to share d" -"ata with the research group (e.g. Open Science Framework [OSF] or Radiam)." -msgstr "" - -msgid "" -"

                                      There are many general and domain-specific " -"metadata standards. Dataset documentation should be provided in a standard, ma" -"chine-readable, openly-accessible format to enable the effective exchange of i" -"nformation between users and systems. These standards are often based on langu" -"age-independent data formats such as XML, RDF, and JSON. Read more about metad" -"ata standards here: UK Digital Curation Centre's Disciplinary" -" Metadata.

                                      " -msgstr "" - -msgid "" -"Storage-space estimates should consider requir" -"ements for file versioning, backups, and growth over time.  If you are co" -"llecting data over a long period (e.g. several months or years), your data sto" -"rage and backup strategy should accommodate data growth. Similarly, a long-ter" -"m storage plan is necessary if you intend to retain your data after the resear" -"ch project. " -msgstr "" - -msgid "" -"

                                      Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                      -\n" -"The risk of losing data due to human error, na" -"tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" -"ckup rule: -\n" -"
                                        -\n" -"
                                      • Have at least three copies of your data.
                                      • -\n" -"
                                      • Store the copies on two different media.
                                      • -\n" -"
                                      • Keep one backup copy offsite.
                                      • -" -"\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      Consider which data need to be shared to me" -"et institutional, funding, or industry requirements. Consider which data will " -"need to be restricted because of data-sharing arrangements with third parties," -" or other intellectual property considerations. 

                                      -\n" -"

                                      In this context, data might include researc" -"h and computational findings, software, code, algorithms, or any other outputs" -" (research or computational) that may be generated during the project. Researc" -"h outputs might be in the form of:

                                      -\n" -"
                                        -\n" -"
                                      • raw data are the data dir" -"ectly obtained from the simulation or modeling;
                                      • -\n" -"
                                      • processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, or to derive new variables; or
                                      • -" -"\n" -"
                                      • analyzed data are the res" -"ults of quantitative, statistical, or mathematical analysis of the processed d" -"ata.
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      Possibilities include: data registries, dat" -"a repositories, indexes, word-of-mouth, and publications. If possible, choose " -"to archive your data in a repository that will assign a persistent identifier " -"(such as a DOI) to your dataset. This will ensure stable access to the dataset" -" and make it retrievable by various discovery tools. 

                                      -\n" -"One of the best ways to refer other researcher" -"s to your deposited datasets is to cite them the same way you cite other types" -" of publications (articles, books, proceedings). The Digital Curation Centre p" -"rovides a detailed guide on data citation. Note that some data repositories also creat" -"e links from datasets to their associated papers, thus increasing the visibili" -"ty of the publications.  " -msgstr "" - -msgid "" -"

                                      Some strategies for sharing include:
                                      <" -"/span>

                                      -\n" -"
                                        -\n" -"
                                      1. Research collaboration platforms such as <" -"a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" -"sh computational code and data;
                                      2. -\n" -"
                                      3. GitHub, " -"GitLab or Bitbucket will be utiliz" -"ed to allow for version control;
                                      4. -\n" -"
                                      5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" -"tudy, share, and modify the code or software. For further information about li" -"censes see, for example, the Open So" -"urce Initiative;
                                      6. -\n" -"
                                      7. The code or software will be archived in a" -" repository, and a DOI will be assigned to track use through citations. Provid" -"e the name of the repository;
                                      8. -\n" -"
                                      9. A software patent will be submitted.
                                      10. -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      In cases where only selected data will be r" -"etained, indicate the reason(s) for this decision. These might include legal, " -"physical preservation issues or other requirements to keep or destroy data.&nb" -"sp;

                                      -\n" -"

                                      There are general-purpose data repositories" -" available in Canada, such as Scholars Portal Dataverse, and the Federated Research Data Repository (" -"FRDR), which have preservation poli" -"cies in place. Many research disciplines also have dedicated repositories. Scientific Data, for example, provides a list of repositories for scientific research " -"outputs.  Some of these repositories may request or require data to be su" -"bmitted in a specific file format. You may wish to consult with a repository e" -"arly in your project, to ensure your data are generated in, or can be transfor" -"med into, an appropriate standard format for your field. Re3data.org is an international registry of research data re" -"positories that may help you identify a suitable repository for your data. The" -" Repository Finder tool h" -"osted by DataCite can help you find a repo" -"sitory listed in re3data.org. For assistance in making your dataset visible an" -"d easily accessible, contact your institution’s library or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca

                                      " -msgstr "" - -msgid "" -"Consider the end-user license, and ownership o" -"r intellectual property rights of any secondary data or code you will use. Con" -"sider any data-sharing agreements you have signed, and repository ‘terms" -" of use’ you have agreed to. These may determine what end-user license y" -"ou can apply to your own research outputs, and may limit if and how you can re" -"distribute your research outputs. If you are working with an industry partner," -" will you have a process in place to manage that partnership, and an understan" -"ding of how the research outputs may be shared? Describe any foreseeable conce" -"rns or constraints here, if applicable." -msgstr "" - -msgid "" -"Identify who will be responsible -- individual" -"s or organizations -- for carrying out these parts of your project. Consider i" -"ncluding the time frame associated with these staff responsibilities, and docu" -"ment any training needed to prepare staff for data management duties." -msgstr "" - -msgid "" -"Indicate a succession strategy for management " -"of these data if one or more people responsible for the data leaves (e.g. a gr" -"aduate student leaving after graduation). Describe the process to follow if th" -"e Principal Investigator leaves the project. In some instances, a co-investiga" -"tor or the department or division overseeing this research will assume respons" -"ibility." -msgstr "" - -msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project as well as those required for the longer-" -"term support for the data after the project has completed. Items to consider i" -"n the latter category of expenses include the costs of curating and providing " -"long-term access to the data. It might include technical aspects of data manag" -"ement, training requirements, file storage & backup, the computational env" -"ironment or software needed to manage, analyze or visualize research data, and" -" contributions of non-project staff. Read more about the costs of RDM and how " -"these can be addressed in advance: “What will it cost " -"to manage and share my data?”" -" by OpenAIRE. There is also an online data management costing" -" tool available to help determine the costs and staffing requirements in your " -"project proposal. " -msgstr "" - -msgid "" -"

                                      Assign responsibilities: O" -"nce completed, your data management plan will outline important data activitie" -"s in your project. Identify who will be responsible -- individuals or organiza" -"tions -- for carrying out these parts of your data management plan. This could" -" also include the time frame associated with these staff responsibilities and " -"any training needed to prepare staff for these duties.

                                      " -msgstr "" - -msgid "" -"

                                      Succession planning: The P" -"I is usually in charge of maintaining data accessibility standards for the tea" -"m. Consider who will field questions about accessing information or granting a" -"ccess to the data in  the event the PI leaves the project. Usually the Co" -"-PI takes over the responsibilities.

                                      -\n" -"

                                      Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves (e.g. " -"a graduate student leaving after graduation). Describe the process to be follo" -"wed in the event that the Principal Investigator leaves the project. In some i" -"nstances, a co-investigator or the department or division overseeing this rese" -"arch will assume responsibility.

                                      " -msgstr "" - -msgid "" -"Budgeting: Common purchases a" -"re hard drives, cloud storage or software access. TU Delft&" -"rsquo;s Data Management Costing Tool is helpful to determine the share of human labor (FTE) that should be alloca" -"ted for research data management." -msgstr "" - -msgid "" -"

                                      Data types: Your rese" -"arch data may include digital resources, software code, audio files, image fil" -"es, video, numeric, text, tabular data, modeling data, spatial data, instrumen" -"tation data.

                                      " -msgstr "" - -msgid "" -"Proprietary file formats requiring specialized" -" software or hardware to use are not recommended, but may be necessary for cer" -"tain data collection or analysis methods. Using open file formats or industry-" -"standard formats (e.g. those widely used by a given community) is preferred wh" -"enever possible. Read more about file formats: Library and Archives Canada,
                                        UBC Library" -" or UK Data Arc" -"hive. " -msgstr "" - -msgid "" -"File naming and versioning: It is important to keep track of " -"different copies or versions of files, files held in different formats or loca" -"tions, and information cross-referenced between files. This process is called " -"'version control'. Logical file structures, informative naming conventions, an" -"d clear indications of file versions, all contribute to better use of your dat" -"a during and after your research project. These practices will help ensure tha" -"t you and your research team are using the appropriate version of your data, a" -"nd minimize confusion regarding copies on different computers and/or on differ" -"ent media. Read more about file naming and version control from UBC Library or th" -"e UK Data Service.

                                      Remember that this workflow can be adapted, a" -"nd the DMP updated throughout the project.

                                      Using a file naming convention worksheet can be very useful. Make sure the conv" -"ention only uses alphanumeric characters, dashes and underscores. In general, " -"file names should be 32 characters or less and contain the date and the versio" -"n number (e.g.: “P1-MUS023_2020-02-29_051_raw.tif” and “P1-M" -"US023_2020-02-29_051_clean_v1.tif”).

                                      Document workfl" -"ows: Have you thought about how you will capture, save and share your" -" workflow and project milestones with your team? You can create an onboarding " -"document to ensure that all team members adopt the same workflows or use workf" -"low management tools like OSF or GitHub." -msgstr "" - -msgid "" -"

                                      Data documentation: I" -"t is strongly encouraged to include a ReadMe file with all datasets (or simila" -"r) to assist in understanding data collection and processing methods, naming c" -"onventions and file structure.

                                      -\n" -"Typically, good data documentation includes in" -"formation about the study, data-level descriptions, and any other contextual i" -"nformation required to make the data usable by other researchers. Other elemen" -"ts you should document, as applicable, include: research methodology used, var" -"iable definitions, vocabularies, classification systems, units of measurement," -" assumptions made, format and file type of the data, a description of the data" -" capture and collection methods, explanation of data coding and analysis perfo" -"rmed (including syntax files). View a useful template from Cornell University&" -"rsquo;s “Guide to writing ‘ReadMe’ style" -" metadata”
                                      ." -msgstr "" - -msgid "" -"

                                      Assign responsibilities for documentation: Individual roles and workflows should include gathering " -"data documentation as a key element.

                                      -\n" -"

                                      Establishing responsibilities for data mana" -"gement and documentation is useful if you do it early on,  ideally in adv" -"ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" -"inning of each project. They can also be used to make team members responsible" -" for proper data management and documentation.

                                      -\n" -"

                                      Consider how you will capture this informat" -"ion and where it will be recorded, to ensure accuracy, consistency, and comple" -"teness of the documentation.

                                      " -msgstr "" - -msgid "" -"

                                      Metadata for datasets: DataCite has developed a metadata schema specifically for open datasets. It lists a set of core" -" metadata fields and instructions to make datasets easily identifiable and cit" -"able. 

                                      -\n" -"There are many other general and domain-specif" -"ic metadata standards.  Dataset documentation should be provided in one o" -"f these standard, machine readable, openly-accessible formats to enable the ef" -"fective exchange of information between users and systems.  These standar" -"ds are often based on language-independent data formats such as XML, RDF, and " -"JSON. There are many metadata standards based on these formats, including disc" -"ipline-specific standards. Read more about metadata standards at the UK Digital Curation Centre's Disciplinary Metadata resource.
                                      " -msgstr "" - -msgid "" -"

                                      Document your process: It is useful to consult regularly with members of the research team to captu" -"re potential changes in data collection/processing that need to be reflected i" -"n the documentation.

                                      " -msgstr "" - -msgid "" -"

                                      Estimating data storage needs: Storage-space estimates should take into account requirements for fi" -"le versioning, backups, and growth over time. 

                                      -\n" -"

                                      If you are collecting data over a long peri" -"od (e.g. several months or years), your data storage and backup strategy shoul" -"d accommodate data growth. Include your back-up storage media in your estimate" -".

                                      " -msgstr "" - -msgid "" -"

                                      Follow the 3-2-1 rule to prevent data loss: It&rsquo" -";s important to have a regular backup schedule — and to document that pr" -"ocess — so that you can review any changes to the data at any point duri" -"ng the project. The risk of losing data due to human error, natural disasters," -" or other mishaps can be mitigated by following the 3-2-1 backup rule: Have at" -" least three copies of your data; store the copies on two different media; kee" -"p one backup copy offsite. Read more about storage and backup practices  " -"from the University of Sheffield Library and the UK Data Service.

                                      " -msgstr "" - -msgid "" -"

                                      Ask for help: Your in" -"stitution should be able to provide guidance with local storage solutions. See" -"k out RDM support at your Library or your Advanced Research Computing departme" -"nt. 

                                      -\n" -"

                                      Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and servers are often located outside Canad" -"a. This may contravene ethics protocol requirements or other institutional pol" -"icies. 

                                      -\n" -"

                                      An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution.

                                      -\n" -"
                                        -\n" -"
                                      • Raw data are directly obt" -"ained from the instrument, simulation or survey. 
                                      • -\n" -"
                                      • Processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, to derive new variables, or to de-identify t" -"he human participants. 
                                      • -\n" -"
                                      • Analyzed data are the res" -"ults of qualitative, statistical, or mathematical analysis of the processed da" -"ta. They can be presented as graphs, charts or statistical tables. 
                                      • -\n" -"
                                      • Final data are processed " -"data that have, if needed, been converted into a preservation-friendly format." -" 
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

                                      -\n" -"

                                      If you publish your data in a data reposito" -"ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" -"y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

                                      -\n" -"re3data.org" -" is a directory of potential open d" -"ata repositories. Consult with your colleagues to determine what repositories " -"are common for data sharing in your field. You can also enquire about RDM supp" -"ort at your local institution, often in the Library or Advanced Research Compu" -"ting. In the absence of local support, consult this Portage reposito" -"ry options guide." -msgstr "" - -msgid "" -"

                                      How long should you keep your data? The length of time that you will keep or share your data beyond the " -"active phase of your research can be determined by external policies (e.g. fun" -"ding agencies, journal publishers), or by an understanding of the enduring (hi" -"storical) value of a given set of data. The need to publish data in the short-" -"term (i.e. for peer-verification purposes), for a longer-term access for reuse" -" (to comply with funding requirements), or for preservation through ongoing fi" -"le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

                                      -\n" -"

                                      If you need long-term archiving for your da" -"ta set, choose a  preservation-capable repository. Digital preservation c" -"an be costly and time-consuming, and not all data can or should be preserved. " -" 

                                      " -msgstr "" - -msgid "" -"

                                      Consider which types of data need to be sha" -"red to meet institutional or funding requirements, and which data may be restr" -"icted because of confidentiality/privacy/intellectual property considerations." -"

                                      " -msgstr "" - -msgid "" -"

                                      Use open licenses to promote data sharing and reuse: " -"Licenses determine what uses can be made of yo" -"ur data. Consider including a copy of your end-user license with your DMP. 

                                      -\n" -"

                                      As the creator of a dataset (or any other a" -"cademic or creative work) you usually hold its copyright by default. However, " -"copyright prevents other researchers from reusing and building on your work. <" -"/span>Open Data Commons licenses " -"and Creative Commons licenses are a free, simple and standardized way to grant copyright permiss" -"ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" -"cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

                                      -\n" -"

                                      Even if you choose to make your data part o" -"f the public domain (with no restrictions on reuse), it is preferable to make " -"this explicit by using a license such as Creative Common" -"s' CC0. It is strongly recommended " -"to  share your data openly using an Open Data or Creative Commons license" -". 

                                      -\n" -"Learn more about data licensing at the " -"Digital Curation Centre
                                      ." -msgstr "" - -msgid "" -"

                                      Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" -", talks, webinars, discussion boards or discipline-specific forums are good wa" -"ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

                                      -\n" -"

                                      One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. Publish your data in a repository that will assign a pers" -"istent identifier (such as a DOI) to your dataset. This will ensure a stable a" -"ccess to the dataset and make it retrievable by various discovery tools. Some " -"repositories also create links from datasets to their associated papers, incre" -"asing the visibility of the publications.

                                      " -msgstr "" - -msgid "" -"

                                      Determine jurisdiction: If" -" your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

                                      -\n" -"

                                      Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

                                      -\n" -"

                                      If you collaborate with a partner in the Eu" -"ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                                      -\n" -"

                                      If you are working with data that has First" -" Nations, Métis, or Inuit ownership, for example, you will need to work" -" with protocols that ensure community privacy is respected and community harm " -"is reduced. For further guidance on Indigenous data sovereignty, see OCAP P" -"rinciples, and in a global  co" -"ntext, CARE Principles of Indigenous Data Governance.

                                      " -msgstr "" - -msgid "" -"

                                      Get informed consent before you collect data: Obtaining the appropriate consent from research parti" -"cipants is an important step in assuring Research Ethics Boards that the data " -"may be shared with researchers outside your project. Your informed consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers. For example, your statement may stipulate that the data will ei" -"ther only be shared for non-profit research purposes (you can use CC-by-NC &md" -"ash; the non-commercial Creative Commons licence with attribution) or that the" -" data will not be linked with other personally-identifying data. Note that thi" -"s aspect is not covered by an open license. You can learn more about data secu" -"rity at the UK Data Service.

                                      -\n" -"

                                      Inform your study participants if you inten" -"d to publish an anonymized and de-identified version of collected data, and th" -"at by participating, they agree to these terms. For sample language for inform" -"ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

                                      -\n" -"

                                      You may need to consider strategies to ensu" -"re the ethical reuse of your published dataset by new researchers. These strat" -"egies may affect your selection of a suitable license, and in some cases you m" -"ay not be able to use an open license.

                                      " -msgstr "" - -msgid "" -"

                                      Privacy protection: O" -"pen science workflows prioritize being “as open as possible and as close" -"d as necessary.” Think about any privacy concerns you may have in regard" -"s to your data, or other restrictions on access outlined in your ethics protoc" -"ol. If your institution or funder regulates legal or ethical guidelines on wha" -"t information must be protected, take a moment to verify you have complied wit" -"h the terms for consent of sharing data. In the absence of local support for a" -"nonymization or de-identification of data, you can reach out to the Portage DM" -"P Coordinator at support@portagenet" -"work.ca.  

                                      " -msgstr "" - -msgid "" -"

                                      Please explain, in particular:

                                      -\n" -"
                                        -\n" -"
                                      • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
                                      • -\n" -"
                                      • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
                                      • -\n" -"
                                      • Approximately how many participants does the study plan to acquire images " -"from?
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"For fellow researchers, a write-up of your met" -"hods is indispensable for supporting the reproducibility of a study. In prepar" -"ation for publishing, consider creating an online document or folder (e.g. ope" -"nneuro, github, zenodo, osf) where your project methods can be gathered/prepar" -"ed. If appropriate, provide a link to that space here." -msgstr "" - -msgid "" -"Planning how research data will be stored and " -"backed up throughout and beyond a research project is critical in ensuring dat" -"a security and integrity. Appropriate storage and backup not only helps protec" -"t research data from catastrophic losses (due to hardware and software failure" -"s, viruses, hackers, natural disasters, human error, etc.), but also facilitat" -"es appropriate access by current and future researchers. You may need to encry" -"pt your data to ensure it is not accessible by those outside the project. For " -"more information, see the University of Waterloo’s Guideline for researchers on securing research participants'" -" data.

                                      Please provide URL(s) to any data storage sites. If your" -" data are subject to strict rules governing human subjects and anonymity, then" -" you may need an on-premise solution installed on your institution’s ser" -"ver.
                                      " -msgstr "" - -msgid "" -"Choices about data preservation will depend on" -" the potential for reuse and long-term significance of the data, as well as wh" -"ether you have obligations to funders or collaborators to either retain or des" -"troy data, and what resources will be required to ensure it remains usable in " -"the future. The need to preserve data in the short-term (i.e. for peer-verific" -"ation purposes) or long-term (for data of lasting value) will influence the ch" -"oice of data repository or archive. Tools such as DataCite's reposit" -"ory finder tool and re3data.org<" -"/a> are useful for finding an appropriate repo" -"sitory for your data. " -msgstr "" - -msgid "" -"Most Canadian research funding agencies now ha" -"ve policies recommending or requiring research data to be shared upon publicat" -"ion of the research results or within a reasonable period of time. While data " -"sharing contributes to the visibility and impact of research, it has to be bal" -"anced with the legitimate desire of researchers to maximise their research out" -"puts before releasing their data. Equally important is the need to protect the" -" privacy of respondents and to properly handle sensitive data. What you can share, and with whom, may depend on what " -"type of consent is obtained from study participants. In a case where some (or " -"all) or the data analyzed was previously acquired (by your research team or by" -" others), what you can share for this current study may also be dependent on t" -"he terms under which the original data were provided, and any restrictions tha" -"t were placed on that data originally. Provide a copy of your consent forms an" -"d licensing terms for any secondary data, if available." -msgstr "" - -msgid "" -"Data management focuses on the 'what' and 'how" -"' of operationally supporting data across the research lifecycle. Data steward" -"ship focuses on 'who' is responsible for ensuring that data management happens" -". A large project, for example, will involve multiple data stewards. The Princ" -"ipal Investigator should identify at the beginning of a project all of the peo" -"ple who will have responsibilities for data management tasks during and after " -"the project." -msgstr "" - -msgid "" -"This estimate should incorporate data manageme" -"nt costs expected during the project as well as those required for the longer-" -"term support for the data after the project is finished. Items to consider in " -"the latter category of expenses include the costs of curating and providing lo" -"ng-term access to the data. Some funding agencies state explicitly that they w" -"ill provide support to meet the cost of preparing data for deposit. This might" -" include technical aspects of data management, training requirements, file sto" -"rage & backup, and contributions of non-project staff. OpenAIRE has developed a tool to help researchers estimate" -" costs associated with data management. Access this tool " -"here." -msgstr "" - -msgid "" -"

                                      Researchers must follow the policies and gu" -"idance of the research ethics board governing their institutions. There may be" -" important differences across institutions. The Public Health Agency of Canada" -" (PHAC) is responsible for setting standards and coordinating REBs across Cana" -"da. They provide 10 best practices for ensuring privacy of human participants:

                                      -\n" -"
                                        -\n" -"
                                      • Determining the research objectives and ju" -"stifying the data needed to fulfill these objectives
                                      • -\n" -"
                                      • Limiting the collection of personal data
                                      • -\n" -"
                                      • Determining if consent from individuals is" -" required
                                      • -\n" -"
                                      • Managing and documenting consent -\n" -"
                                      • Informing prospective research participant" -"s about the research
                                      • -\n" -"
                                      • Recruiting prospective research participan" -"ts
                                      • -\n" -"
                                      • Safeguarding personal data
                                      • -\n" -"
                                      • Controlling access and disclosure of perso" -"nal data
                                      • -\n" -"
                                      • Setting reasonable limits on retention of " -"personal data
                                      • -\n" -"
                                      • Ensuring accountability and transparency i" -"n the management of personal data
                                      • -\n" -"
                                      -\n" -"


                                      In the context of neuroimaging resear" -"ch, “the potential identifiability of otherwise anonymous image files is" -" of great concern to those in the field who are anxious to encourage electroni" -"c data sharing” (Kulynych, 2002). Please consult your REB for recommendations on how to pr" -"epare ethics protocols.

                                      " -msgstr "" - -msgid "" -"State how you will prepare, store, share, and " -"archive the data in a way that ensures participant information is protected, t" -"hroughout the research lifecycle, from disclosure, harmful use, or inappropria" -"te linkages with other personal data. This may mean avoiding cloud storage ser" -"vices, placing data on computers with no access to the internet, or encrypting" -" data that will be shared during the research project. For more information, s" -"ee the Harvard Catalyst guidance about cloud storage." -msgstr "" - -msgid "" -"Please explain" -", in particular:
                                      -\n" -"
                                        -\n" -"
                                      • W" -"hat is the make and model of the neuroimaging system? Ex: Siemens Prisma 3T.&n" -"bsp;
                                      • -\n" -"
                                      • C" -"an you describe the image acquisition paradigm and parameters being used in th" -"e study? Ex. MRI T1w MPRAGE. 
                                      • -\n" -"
                                      • W" -"hat is the total duration of the scanning sequence? Ex. 40 minutes. -\n" -"
                                      • W" -"hat file formats will your neuroimaging data be acquired in?
                                      • -\n" -"
                                          -\n" -"
                                        • P" -"roprietary file formats requiring specialized software or hardware to use are " -"not recommended for preservation, but may be necessary for certain data collec" -"tion or analysis methods. Use open file formats where possible, or at least in" -"dustry-standard formats such as dicom, NIFTI, European data format (.edf), or " -"the BrainVision data format (.eeg/.vhdr/.vmrk). Read more about file formats: " -"UBC Library or UK Data Archive.
                                        • -\n" -"
                                        -\n" -"
                                      • W" -"ill the data be converted into other formats? Ex. NIFTI, BIDS, Minc. -\n" -"
                                      • D" -"oes the study incorporate any data acquired externally? 
                                      • -\n" -"
                                          -\n" -"
                                        • N" -"o. New data acquisition only.
                                        • -\n" -"
                                        • N" -"ew data plus retrospective data from the same PI.
                                        • -\n" -"
                                        • N" -"ew data plus retrospective data from multiple sources.
                                        • -\n" -"
                                        • O" -"nly retrospective data used in this study.
                                        • -\n" -"
                                        -\n" -"
                                      • I" -"f external data are used in this study, please provide details about the sourc" -"e of external data, and identifying coordinates (DOI, URL, citation). -\n" -"
                                      -\n" -"
                                      " -msgstr "" - -msgid "" -"It is important to keep track of different cop" -"ies or versions of files, files held in different formats or locations, and in" -"formation cross-referenced between files. This process is called 'version cont" -"rol'. Logical file structures, informative naming conventions, and clear indic" -"ations of file versions, all contribute to better use of your data during and " -"after your research project.  These practices will help ensure that you a" -"nd your research team are using the appropriate version of your data, and mini" -"mize confusion regarding copies on different computers and/or on different med" -"ia. Read more about file naming and version control: UBC Library or UK Data Archive." -msgstr "" - -msgid "" -"“Within the framework of privacy protect" -"ion, the degree of anonymization of the data is an important consideration and" -" thus is an aspect incorporated in privacy regulations. Different rules apply " -"to data, which are dependent on whether the data is considered personal data, " -"fully anonymized or de‐identified. Fully anonymized data has all personalized " -"data removed, is given a separate identification code, and the key between the" -" fully anonymized dataset and any path back to the original data is deleted su" -"ch that it would be extremely difficult to trace the data back to an individua" -"l” (White et al., 2020)." -" The technical steps for anonymizing neuroimaging data should be designed to a" -"chieve the level of privacy required by ethics protocols governing the study. " -"See here for a selection of resources pertaining to anonymization." -msgstr "" - -msgid "" -"
                                        -\n" -"
                                      • D" -"oes the study have an identifier (study ID) entered into the imaging console a" -"nd other software? If so, enter the study ID here.
                                      • -\n" -"
                                      • D" -"oes the study use identifiers for participants, e.g. sub-002 ? If so, give an " -"example of the subject ID format here.
                                      • -\n" -"
                                      • A" -"re there any other codes or identifiers used in the study? If so, please ident" -"ify and describe them here.
                                      • -\n" -"
                                      " -msgstr "" - -msgid "" -"

                                      A data management application is a piece of" -" software that stores data and helps to manage some aspects of the data and/or" -" metadata collection, quality control, conversion, processing, reporting, anno" -"tation, and other functions. Some applications are designed specifically for t" -"he neuroimaging domain, e.g. LORIS, Braincode, while other applications can be" -" used by any research discipline, e.g. XNAT, Redcap. In neurosciences, the ter" -"m ‘database’ is sometimes used by convention to refer to data mana" -"gement applications. For the purposes of this question, an application is any " -"software tool used to manage data acquisition or storage.

                                      " -msgstr "" - -msgid "" -"In some circumstances, it may be desirable to " -"preserve all versions of the data (e.g. raw, processed, analyzed, final), but " -"in others, it may be preferable to keep only selected or final data (e.g. phan" -"tom scans and other diagnostic scans may not need to be preserved)." -msgstr "" - -msgid "" -"DataCite's repository finder tool and re3data.org are both useful tools" -" for finding an appropriate repository for your data. Searches on re3data can " -"be easily narrowed by discipline, such as this search for ‘neurosciences.&" -"rsquo; There are also generalist repository services like Zenodo, OSF, Figshar" -"e, and Academictorrents.com. If yo" -"ur data is ready to be shared under an open license, then posting to an existi" -"ng platform like openneuro.org, openfmri.org, nitrc.org, or portal.conp.ca could be a go" -"od solution.

                                      Not all reposit" -"ories offer long-term preservation options, so you may want to consult a repos" -"itory’s posted policies before deciding to deposit.
                                      " -msgstr "" - -msgid "" -"Consider using preservation-friendly file form" -"ats (open, non-proprietary formats), wherever possible. Some data formats are " -"optimal for long-term preservation of data. For example, non-proprietary file " -"formats, such as text ('.txt') and comma-separated ('.csv'), are considered pr" -"eservation-friendly. The UK Data Archive provides a useful table of file forma" -"ts for various types of data. Keep in mind that preservation-friendly files co" -"nverted from one format to another may lose information (e.g. converting from " -"an uncompressed TIFF file to a compressed JPG file), so changes to file format" -"s should be documented. Identify steps required following project completion i" -"n order to ensure the data you are choosing to preserve or share is anonymous," -" error-free, and converted to recommended formats with a minimal risk of data " -"loss. Read more about anonymization: UBC Librar" -"y or UK Data Archive.

                                      Many repositories cannot accept data that " -"has not been anonymized or de-identified, making de-identifying and cleaning t" -"he data necessary steps towards long-term preservation. Always include support" -"ing documentation that describes the anonymization and de-identification proce" -"dures carried out.
                                      " -msgstr "" - -msgid "" -"You may wish to share your data in the same re" -"pository selected for preservation or choose a different one. DataCi" -"te's repository finder tool and re3data" -".org, recommended in the preservati" -"on section, are also useful to consult here. Scientific Data has some specific" -" recommendations for neuroimaging repositories " -"here." -msgstr "" - -msgid "" -"If data will be shared with any collaborators," -" then it should have a data license that defines the terms of use. If the data" -" will eventually be published to a data hosting platform, then a creative comm" -"ons open data license would be applicable. Even though it is “open&rdquo" -"; the license can place important constraints on what kind of re-use is allowe" -"d. For example, you can restrict access to only non-commercial uses of the dat" -"a, or you can require that credit be given. Clic" -"k here for more about Creative Comm" -"ons licenses. 

                                      If data " -"will be shared on a more restricted basis, e.g. with a closed consortium of co" -"llaborators, then a custom data license and usage agreement will be needed. Pl" -"ease consult your institution’s research librarian or technology transfe" -"r office for assistance. Click here to access OpenAIRE’s guide “How do I" -" license my research data?”
                                      " -msgstr "" - -msgid "" -"Possibilities include: data registries, reposi" -"tories, indexes, word-of-mouth, publications. How will the data be accessed (W" -"eb service, ftp, etc.)? If possible, choose a repository that will assign a pe" -"rsistent identifier (such as a DOI) to your dataset. This will ensure a stable" -" access to the dataset and make it retrievable by various discovery tools.&nbs" -"p;

                                      One of the best ways to r" -"efer other researchers to your deposited datasets is to cite them the same way" -" you cite other types of publications. The Digital Curation Centre provides a " -"detailed
                                      guide on data citation. Some repositories also create links from datasets to " -"their associated papers, increasing the visibility of the publications. Contac" -"t your Library for assistance in making your dataset visible and easily access" -"ible (reused from National Institutes of Health, Key Elements to Consider" -" in Preparing a Data Sharing Plan Under NIH Extramural Support [2009]). " -msgstr "" - -msgid "" -"Some examples of events to consider: replaceme" -"nt of principal researcher, change of in responsibility for any researchers or" -" data managers, the departure of students who have finished projects associate" -"d with the research material described in this DMP." -msgstr "" - -msgid "" -"Give examples of the tools or software will yo" -"u use to clean DICOM headers of personally identifiable information. E.g. PyDeface is a tool that can " -"be used to strip facial structures from the brain. For more detailed de-identi" -"fication guidance and recommended tools for all types of data, see Portage&rsq" -"uo;s De-identification Guidance." -msgstr "" - -msgid "" -"This can be provided as a link, a description," -" or as a full copy of appropriate documents." -msgstr "" - -msgid "" -"

                                      For a good starter resource on metadata see" -": https://www.go-fair.org/fair-pri" -"nciples/f2-data-described-rich-metadata/.

                                      " -msgstr "" - -msgid "" -"

                                      Syntax: Any code used by the researcher to " -"transform the raw data into the research results. This most commonly includes," -" but is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code" -".

                                      " -msgstr "" - -msgid "" -"You can consult your analyst to learn more abo" -"ut the availability of metadata for your proposed dataset. In some cases, the " -"codebooks contain confidential information (quantiles with small numbers of in" -"dividuals identified etc.). and cannot be made available." -msgstr "" - -msgid "" -"

                                      A tool provided by OpenAIRE can help resear" -"chers estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs<" -"/span>.

                                      " -msgstr "" - -msgid "" -"

                                      There are many general and domain-specific metadata standards. Dataset docu" -"mentation should be provided in one of these standard, machine readable, openl" -"y-accessible formats to enable the effective exchange of information between u" -"sers and systems.  These standards are often based on language-independen" -"t data formats such as XML, RDF, and JSON. There are many metadata standards b" -"ased on these formats, including discipline-specific standards.

                                      -\n" -"

                                      Dataset documentation may also include a co" -"ntrolled vocabulary, which is a standardized list of terminology for describin" -"g information. Examples of controlled vocabularies include the Library of Congress Subject Headings (LCSH) or NASA’s Glo" -"bal Change Master Directory (GCMD) Keywords

                                      -\n" -"

                                      Read more about metadata standards: UK Digital Curation Centre's D" -"isciplinary Metadata

                                      " +"

                                      To support transcribing activities within y" +"our research project, it is recommended that you implement a transcribing prot" +"ocol which clearly outlines such things as formatting instructions, a summary " +"of contextual metadata to include, participant and interviewer anonymization, " +"and file naming conventions.

                                      \n" +"

                                      When outsourcing transcribing services, and" +" especially when collecting sensitive data, it is important to have a confiden" +"tiality agreement in place with transcribers, including a protocol for their d" +"eleting any copies of data once it has been transcribed, transferred, and appr" +"oved. Additionally, you will need to ensure that methods for transferring and " +"storing data align with any applicable funder or institutional requirements.

                                      " msgstr "" msgid "" -"

                                      Read an overview of data storage solutions and" -" media types at the Consortium of E" -"uropean Social Science Data Archives.

                                      -\n" -"

                                      For York University researchers, UIT provid" -"es server data storage with on-campus and off-campus backup options. It i" -"s important that a conversation is had with UIT prior to submitting your grant" -" as there may be costs associated with data storage that will need to be repre" -"sented in your budget.

                                      -\n" -"

                                      Canadian researchers could also consider st" -"orage and cloud resources available through the Compute Canada’s Rapid Access Services and Compute Canada Services for Humanities and Social Sciences Researc" -"hers.

                                      " +"

                                      Transferring of data is a critical stage of" +" the data collection process, and especially so when managing sensitive inform" +"ation. Data transfers may occur:

                                      \n" +"
                                        \n" +"
                                      • from the field (" +"real world settings)
                                      • \n" +"
                                      • from data provid" +"ers
                                      • \n" +"
                                      • between research" +"ers
                                      • \n" +"
                                      • between research" +"ers & stakeholders
                                      • \n" +"
                                      \n" +"

                                      It is best practice to identify data transf" +"er methods that you will use before" +" your research begins.

                                      " +"\n" +"

                                      Some risks associated with the transferring" +" of data include loss of data, unintended copies of data files, and data being" +" provided to unintended recipients. You should avoid transferring data using u" +"nsecured methods, such as email. Typical approved methods for transferring dat" +"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" +"proved by your institution. 

                                      \n" +"

                                      Talk to your local IT support to identify s" +"ecure data transferring methods available to you.

                                      " msgstr "" msgid "" -"

                                      Check out

                                      -\n" -"
                                        -\n" -"
                                      • York University’s Data Security Guideline for Rese" -"arch Involving Human Participants
                                      • -\n" -"
                                      • York University's O365/OneD" -"rive Security and Privacy Guide.
                                      • -\n" -"
                                      • Human Participant Research Data Risk Matrix, part of the Sensitive Data Tools, developed by the Research Data M" -"anagement team (Portage) at the Digital Research Alliance of Canada, can also " -"be helpful.  
                                      • -\n" +"

                                        Ensuring that your data files exist in non-" +"proprietary formats helps to ensure that they are able to be easily accessed a" +"nd reused by others in the future.

                                        \n" +"

                                        Examples of non-proprietary file formats in" +"clude:

                                        \n" +"

                                        Surveys: CSV" +"; HTML; Unicode Transformation Formats 

                                        \n" +"

                                        Qualitative interviews:

                                        \n" +" \n" +"

                                        For more information and resources pertaini" +"ng to file formats you may wish to visit:

                                        \n" +"" msgstr "" msgid "" -"

                                        Data Deposit

                                        -\n" -"

                                        Check out the Repository Options in Canada: A Portage Guide

                                        -\n" -"

                                        Scholars Portal Dataverse is available to York researchers and can serve preservation needs" -" where single file size is less than 3 GB. Researchers interested in depositin" -"g large file size data sets are invited to discuss their options by consulting" -" the RDM library services at yul_rdm@yorku.ca.

                                        -\n" -"

                                        York University Libraries is a formal spons" -"or of the Canadian Federated Research Data Repository (FRDR) and supports the deposit of larger data sets in th" -"is national research data repository. To learn more about FRDR, please review " -"the terms of their data submission policy<" -"span style=\"font-weight: 400;\">.

                                        -\n" -"

                                        Larger projects will need to contact UIT" -" to discuss the ongoing cost of lon" -"g-term preservation. It is prudent that these costs be written into the grant " -"budget.

                                        -\n" -"

                                        For other data deposit options, including d" -"iscipline specific repositories, see the re3data.org directory. 

                                        -\n" -"

                                        Check out the Generalist Reposito" -"ry Comparison Chart to learn more a" -"bout different features of selected generalist repositories.

                                        -\n" -"

                                        Long-term Preservation

                                        -\n" -"

                                        It’s possible that the data repositor" -"y you've selected provides short- or medium-term data sharing and access but d" -"oes not meet your long-term preservation needs.

                                        -\n" -"

                                        Check out the preservation policies of the " -"data repositories to see how long the deposited data will be retained and whet" -"her they also provide long term data archiving services.

                                        -\n" -"

                                        Research data files and metadata made avail" -"able through the York University Dataverse<" -"span style=\"font-weight: 400;\"> will generally be retained to the lifetime of " -"the repository. 

                                        -\n" -"

                                        Check out the current Data Retention and Deaccession Policy of FRDR. -\n" -"

                                        A federated approach to research data prese" -"rvation in Canada is under consideration and development.

                                        -\n" -"

                                        If you need assistance locating a suitable " -"data repository or archive, please contact York University Libraries at yul_rd" -"m@yorku.ca. 

                                        " -msgstr "" - -msgid "" -"

                                        If researchers seek to share openly de-iden" -"tified data emerging from their research, it is crucial that consent be secure" -"d from participants during the informed consent process. Contact the Office of Research Ethics " -"for further details about re-consent previously collected data.  -\n" -"

                                        Data uploaded to Scholars Portal " -"Dataverse can be restricted to only" -" authorized users. You can easily manage the restrictions of your Dataverse an" -"d studies to be private, available to only certain IPs, to individual account(" -"s), or to specific groups. When you choose this optional feature, security is " -"in place to protect your data from others who wish to exploit or access data t" -"hat they are not authorized to. However, Scholars Portal Dataverse does NOT ac" -"cept content that contains confidential or sensitive information without appro" -"priate permission. Dataverse can be used to share de-identified and non-confid" -"ential data only. Contributors are required to remove, replace, or redact such" -" information from datasets prior to upload.

                                        -\n" -"

                                        Check out

                                        -\n" -" -\n" -"

                                        For help, please contact York University Li" -"braries at yul_rdm@yorku.ca. 

                                        " +"

                                        Include a description of the survey codeboo" +"k(s) (data dictionary), as well as how it will be developed and generated. You" +" should also include a description of the interview data that will be collecte" +"d, including any important contextual information and metadata associated with" +" file formats.

                                        \n" +"

                                        Your documentation may include study-level " +"information about:

                                        \n" +"
                                          \n" +"
                                        • who created/coll" +"ected the data
                                        • \n" +"
                                        • when it was crea" +"ted
                                        • \n" +"
                                        • any relevant stu" +"dy documents
                                        • \n" +"
                                        • conditions of us" +"e
                                        • \n" +"
                                        • contextual detai" +"ls about data collection methods and procedural documentation about how data f" +"iles are stored, structured, and modified.
                                        • \n" +"
                                        \n" +"

                                        A complete description of the data files ma" +"y include:

                                        \n" +"
                                          \n" +"
                                        • naming and label" +"ling conventions
                                        • \n" +"
                                        • explanations of " +"codes and variables
                                        • \n" +"
                                        • any information " +"or files required to reproduce derived data.
                                        • \n" +"
                                        \n" +"More information about both general and discip" +"line specific data documentation is available at https://" +"www.dcc.ac.uk/guidance/standards/metadata" msgstr "" msgid "" -"

                                        In terms of ownership o" -"f research data, for faculty and post-docs at York University, please review t" -"he terms of your collective agreement. For graduate students, please review th" -"e Faculty of Graduate Studies Guide on Intellectual Propert" -"y.

                                        -\n" -"

                                        Consult York U Office of Research Services (ORS) " -"and Information and Privacy Office for intellectual property and copyrights re" -"lated questions.

                                        " +"For guidance on file naming conventions please" +" see the University of Edinburgh." msgstr "" msgid "" -"

                                        Consider using a ReadMe file for your data set, and see more examples of documenting quantitative and qualitative dat" -"a from the Consortium of European S" -"ocial Science Data Archives.

                                        " +"

                                        High quality documentation and metadata hel" +"p to ensure accuracy, consistency, and completeness of your data. It is consid" +"ered best practice to develop and implement protocols that clearly communicate" +" processes for capturing important information throughout your research projec" +"t. Example topics that these protocols " +"might cover include file naming conventions, file versioning, folder structure" +", and both descriptive and structural metadata. 

                                        \n" +"Researchers and research staff should ideally " +"have the opportunity to contribute to the content of metadata protocols, and i" +"t is additionally useful to consult reg" +"ularly with members of the research team to capture any potential changes in d" +"ata collection/processing that need to be reflected in the documentation." msgstr "" msgid "" -"

                                        For assistance with choosing and using a me" -"tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." -"

                                        " +"

                                        Metadata are descriptions of the contents a" +"nd context of data files. Using a metadata standard (a set of required fields " +"to fill out) helps to ensure that your documentation is consistent, structured" +", and machine-readable, which is essential for depositing data in repositories" +" and making it easily discoverable by search engines.

                                        \n" +"

                                        There are both general and d" +"iscipline-specific metadata standar" +"ds and tools for research data.

                                        \n" +"

                                        One of the most widely used metadata standa" +"rds for surveys is DDI (Data Documentati" +"on Initiative), a free standard that can document and manage different stages " +"in the research data lifecycle including data collection, processing, distribu" +"tion, discovery and archiving.

                                        \n" +"For assistance with choosing a metadata standa" +"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " msgstr "" msgid "" -"

                                        For assistance with choosing and using a me" -"tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." -"

                                        " +"

                                        Data storage is a critical component of man" +"aging your research data, and secure methods should always be used, especially" +" when managing sensitive data. Storing data on USB sticks, laptops, computers," +" and/or external hard drives without a regular backup procedure in place is no" +"t considered to be best practice due to their being a risk both for data breac" +"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " +"having only one copy, or multiple copies of data stored in the same physical l" +"ocation does little to mitigate risk. 

                                        \n" +"

                                        Many universities offer networked file stor" +"age which is automatically backed up. Contact your local (e.g., faculty or org" +"anization) and/or central IT services to find out what secure data storage ser" +"vices and resources they are able to offer to support your research project.

                                        \n" +"Additionally, you may wish to consider investi" +"gating Compute Canad" +"a’s Rapid Access Service whic" +"h provides Principal Investigators at Canadian post-secondary institutions wit" +"h a modest amount of storage and cloud resources at no cost." msgstr "" msgid "" -"

                                        Check out

                                        -\n" -"" +"

                                        It is important to determine at the early s" +"tages of your research project how members of the research team will appropria" +"tely access and work with data. If researchers will be working with data using" +" their local computers (work or personal) then it is important to ensure that " +"data are securely transferred (see previous question on data transferring), co" +"mputers may need to be encrypted, and that all processes meet any requirements" +" imposed by funders, institutions, and research ethics offices.

                                        \n" +"

                                        When possible, it can be very advantageous " +"to use a cloud-based environment so that researchers can remotely access and w" +"ork with data, reducing the need for data transferring and associated risks, a" +"s well as unnecessary copies of data existing.

                                        \n" +"One such cloud environment that is freely avai" +"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " +msgstr "" + +msgid "" +"

                                        Think about all of the data that will be ge" +"nerated, including their various versions, and estimate how much space (e.g., " +"megabytes, gigabytes, terabytes) will be required to store them. <" +"/p> \n" +"

                                        The type of data you collect, along with th" +"e length of time that you require active storage, will impact the resources th" +"at you require. Textual and tabular data files are usually very small (a few m" +"egabytes) unless you have a lot of data. Video files are usually very large (h" +"undreds of megabytes up to several gigabytes). If you have a large amount of d" +"ata (gigabytes or terabytes), it will be more challenging to share and transfe" +"r it. You may need to consider networked storage options or more sophisticated" +" backup methods.

                                        \n" +"You may wish to contact your local IT services" +" to discuss what data storage options are available to you, or consider the us" +"e of Compute Canada&" +"rsquo;s Rapid Access Service. " +" " msgstr "" msgid "" -======= +"

                                        Proprietary data formats are not optimal fo" +"r long-term preservation of data as they typically require specialized license" +"d software to open them. Such software may have costs associated with its use," +" or may not even be available to others wanting to re-use your data in the fut" +"ure.

                                        \n" +"

                                        Non-proprietary file formats, such as comma" +"-separated values (.csv), text (" +".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" +"n mind that preservation-friendly files converted from one format to another m" +"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" +"essed JPG file), so changes to file formats should be documented.

                                        \n" +"

                                        Identify the steps required to ensure the d" +"ata you are choosing to preserve is error-free, and converted to recommended f" +"ormats with a minimal risk of data loss following project completion. Some str" +"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" +", changing voices) also remove information of value to other researchers.

                                        \n" +"

                                        See this Portage DMP Exemplar in English or French<" +"/span> for more help describing preservati" +"on-readiness.

                                        " msgstr "" msgid "" "

                                        A research data repository is a technology-" -"based platform that allows for research data to be:

                                        -\n" -"
                                          -\n" +"based platform that allows for research data to be:

                                          \n" +"
                                            \n" "
                                          • Deposited & " -"described
                                          • -\n" +"described \n" "
                                          • Stored & arc" -"hived
                                          • -\n" +"hived \n" "
                                          • Shared & pub" -"lished
                                          • -\n" +"lished \n" "
                                          • Discovered &" -" reused
                                          • -\n" -"
                                          -\n" +" reused \n" +"
                                        \n" "

                                        There are different types of repositories i" -"ncluding:

                                        -\n" -"
                                          -\n" +"ncluding:

                                          \n" +"
                                            \n" "
                                          • Proprietary (pai" -"d for services)
                                          • -\n" +"d for services) \n" "
                                          • Open source (fre" -"e to use)
                                          • -\n" +"e to use) \n" "
                                          • Discipline speci" -"fic
                                          • -\n" -"
                                          -\n" +"fic \n" +"
                                        \n" "

                                        A key feature of a trusted research data re" "pository is the assignment of a digital object identifier (DOI) to your data -" " a unique persistent identifier assigned by a registration agency to " "identify digital content and provide a persistent link to its location, enabli" -"ng for long-term discovery.

                                        -\n" +"ng for long-term discovery.

                                        \n" "

                                        Dataverse is one of the most popular resear" "ch data repository platforms in Canada for supporting the deposition of survey" " data and qualitative text files. Key features of Dataverse include the assign" @@ -10780,8 +5684,7 @@ msgid "" "uilt in data citations, file versioning, and the ability to create customized " "terms of use pertaining to your data. Contact your local university Library to" " find out if there is a Dataverse instance available for you to use. -\n" +"> \n" "Re3data.org" " is an online registry of data repo" "sitories, which can be searched according to subject, content type and country" @@ -10797,33 +5700,26 @@ msgid "" "ons relating to confidentiality and/or privacy. If you are planning to share e" "ither/both survey and qualitative interviews data that require de-identificati" "on, explain how any necessary direct and indirect identifiers will be removed." -" 

                                        -\n" -"

                                        Examples of file versions are:

                                        -\n" -"
                                          -\n" +" 

                                          \n" +"

                                          Examples of file versions are:

                                          \n" +"
                                            \n" "
                                          • Raw: Original data that has been collected and not yet processed" " or analysed. For surveys this will be the original survey data, and for quali" "tative interviews this will most often be the original audio data as well as r" -"aw transcriptions which are verbatim copies of the audio files.
                                          • -\n" +"aw transcriptions which are verbatim copies of the audio files. \n" "
                                          • Processed: Data that have" " undergone some type of processing, typically for data integrity and quality a" "ssurance purposes. For survey data, this may involve such things as deletion o" "f cases and derivation of variables. For qualitative interview data, this may " "involve such things as formatting, and de-identification and anonymization act" -"ivities.
                                          • -\n" +"ivities. \n" "
                                          • Analyzed: Data that are a" "lready processed and have been used for analytic purposes. Both for surveys an" "d qualitative interviews, analyzed data can exist in different forms including" " in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" -"s, graphs, etc.
                                          • -\n" -"
                                          -\n" +"s, graphs, etc. \n" +"
                                        \n" "

                                        Remember, research involving human particip" "ants typically requires participant consent to allow for the sharing of data. " "Along with your data, you should ideally include samples of the study informat" @@ -10834,49 +5730,35 @@ msgstr "" msgid "" "

                                        It may be necessary or desirable to restric" "t access to your data for a limited time or to a limited number of people, for" -":

                                        -\n" -"
                                          -\n" +":

                                          \n" +"
                                            \n" "
                                          • ethical reasons " -"(privacy and confidentiality) 
                                          • -\n" +"(privacy and confidentiality)  \n" "
                                          • economic reasons" -" (patents and commercialization)
                                          • -\n" +" (patents and commercialization) \n" "
                                          • intellectual pro" "perty reasons (e.g. ownership of the original dataset on which yours is based)" -" 
                                          • -\n" +"  \n" "
                                          • or to comply wit" -"h a journal publishing policy. 
                                          • -\n" -"
                                          -\n" +"h a journal publishing policy.  \n" +"
                                        \n" "

                                        Strategies to mitigate these issues may inc" -"lude: 

                                        -\n" -"
                                          -\n" +"lude: 

                                          \n" +"
                                            \n" "
                                          • anonymising or a" "ggregating data (see additional information at the UK Data Service or the Portage Network)" -"
                                          • -\n" +" \n" "
                                          • gaining particip" -"ant consent for data sharing
                                          • -\n" +"ant consent for data sharing \n" "
                                          • gaining permissi" -"ons to share adapted or modified data
                                          • -\n" +"ons to share adapted or modified data \n" "
                                          • and agreeing to " -"a limited embargo period.
                                          • -\n" -"
                                          -\n" +"a limited embargo period. \n" +"
                                        \n" "

                                        If applicable, consider creating a Terms of" " Use document to accompany your data.

                                        " msgstr "" @@ -10888,8 +5770,7 @@ msgid "" "velopment of a license. Once created, it is considered as best practice to inc" "lude a copy of your end-user license with your Data Management Plan. Note that" " only the intellectual property rights holder(s) can issue a license, so it is" -" crucial to clarify who owns those rights. 

                                        -\n" +" crucial to clarify who owns those rights. 

                                        \n" "

                                        There are several types of standard license" "s available to researchers, such as the Creative Commons licenses" @@ -10899,8 +5780,7 @@ msgid "" " easier to use a standard license rather than to devise a custom-made one. Not" "e that even if you choose to make your data part of the public domain, it is p" "referable to make this explicit by using a license such as Creative Commons' C" -"C0. 

                                        -\n" +"C0. 

                                        \n" "Read more about data licensing:
                                        UK Digital Curation Centre

                                        -\n" +"mbers of the research team for these duties.

                                        \n" "

                                        Larger and more complex research projects m" "ay additionally wish to have a research data management committee in place whi" "ch can be responsible for data governance, including the development of polici" @@ -10943,8 +5822,7 @@ msgid "" "stimate should incorporate costs incurred both during the active phases of the" " project as well as those potentially required for support of the data once th" "e project is finished, including preparing the data for deposit and long-term " -"preservation. 

                                        -\n" +"preservation. 

                                        \n" "

                                        Many funding agencies will provide support " "for research data management, so these estimates may be included within your p" "roposed project budget. Items that may be pertinent to mixed methods research " @@ -10966,14 +5844,12 @@ msgid "" "fied data from other sources, and that only de-identified and/or aggregated da" "ta may be reused. In the case of qualitative interviews, this may include only" " the de-identified transcriptions of interviews and/or analytic files containi" -"ng de-identified contextual information.

                                        -\n" +"ng de-identified contextual information.

                                        \n" "

                                        Sensitive data in particular should always " "receive special attention and be clearly identified and documented within your" " DMP as to how they will be managed throughout your project including data col" "lection, transferring, storage, access, and both potential sharing, and reuse<" -"/span>.

                                        -\n" +"/span>.

                                        \n" "

                                        Your data management plan and deposited dat" "a should both include an identifier or link to your approved research ethics a" "pplication form as well as an example of any participant consent forms." @@ -10984,8 +5860,7 @@ msgid "" "

                                        Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer, research services office, and/or research et" -"hics office. 

                                        -\n" +"hics office. 

                                        \n" "

                                        Include here a description concerning owner" "ship, licensing, and intellectual property rights of the data. Terms of reuse " "must be clearly stated, in line with the relevant legal and ethical requiremen" @@ -11017,8 +5892,7 @@ msgstr "" msgid "" "

                                        It is important to keep track of different " "copies and versions of files, files held in different formats or locations, an" -"d any information cross-referenced between files. 

                                        -\n" +"d any information cross-referenced between files. 

                                        \n" "Logical file structures, informative naming co" "nventions, and clear indications of file versions all contribute to better use" " of your data during and after your research project. These practices will hel" @@ -11035,17 +5909,13 @@ msgstr "" msgid "" "

                                        Some types of documentation typically provi" -"ded for research data and software include: 

                                        -\n" -"
                                          -\n" +"ded for research data and software include: 

                                          \n" +"
                                            \n" "
                                          • README file, codebook, or data dictionary<" -"/span>
                                          • -\n" +"/span> \n" "
                                          • Electronic lab notebooks such as Jupyter Notebook<" -"/span>
                                          • -\n" +"/span> \n" "
                                          " msgstr "" @@ -11069,8 +5939,7 @@ msgid "" "a formats such as XML, RDF, and JSON, which enables the effective exchange of " "information between users and systems. Existing, accepted community standards " "should be used wherever possible, including when recording intermediate result" -"s. 

                                          -\n" +"s. 

                                          \n" "

                                          Where community standards are absent or ina" "dequate, this should be documented along with any proposed solutions or remedi" "es. You may wish to use this DMP Template to propose alternate strategies that" @@ -11112,44 +5981,30 @@ msgstr "" msgid "" "

                                          You may wish to provide the following infor" -"mation:

                                          -\n" -"
                                            -\n" +"mation:

                                            \n" +"
                                              \n" "
                                            • Startup allocati" -"on limit
                                            • -\n" +"on limit \n" "
                                            • System architect" -"ure: System component and configuration
                                            • -\n" -"
                                                -\n" +"ure: System component and configuration \n" +"
                                                  \n" "
                                                • CPU nodes" -"
                                                • -\n" +" \n" "
                                                • GPU nodes" -"
                                                • -\n" +" \n" "
                                                • Large memory nod" -"es
                                                • -\n" -"
                                                -\n" +"es \n" +"
                                              \n" "
                                            • Performance: e.g" -"., FLOPs, benchmark
                                            • -\n" +"., FLOPs, benchmark \n" "
                                            • Associated syste" -"ms software environment
                                            • -\n" +"ms software environment \n" "
                                            • Supported applic" -"ation software 
                                            • -\n" +"ation software  \n" "
                                            • Data transfer
                                            • -\n" +"pan> \n" "
                                            • Storage <" -"/li> -\n" +"/li> \n" "
                                            " msgstr "" @@ -11163,32 +6018,24 @@ msgstr "" msgid "" "

                                            Examples of data analysis frameworks includ" -"e:

                                            -\n" -"
                                              -\n" +"e:

                                              \n" +"
                                                \n" "
                                              • Hadoop -\n" +"i> \n" "
                                              • Spark -\n" +"> \n" "
                                              " msgstr "" msgid "" "

                                              Examples of software tools include:<" -"/p> -\n" -"

                                                -\n" +"/p> \n" +"
                                                  \n" "
                                                • High-performance" -" compilers, debuggers, analyzers, editors 
                                                • -\n" +" compilers, debuggers, analyzers, editors  \n" "
                                                • Locally develope" "d custom libraries and application packages for software development -\n" +"i> \n" "
                                                " msgstr "" @@ -11202,13 +6049,11 @@ msgid "" "00;\">GitHub Bitbucket, " "GitLab, etc. 

                                                -\n" +"an>, etc. 

                                                \n" "

                                                If your research and/or software are built " "upon others’ software code, it is good practice to acknowledge and cite " "the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

                                                -\n" +"he software and to give credit to its developers.

                                                \n" "For more information on proper software docume" "ntation and citation practices, see:

                                                -\n" +"ed when determining the most appropriate solution. 

                                                \n" "

                                                The risk of losing data due to human error," " natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" "ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                                -\n" +"ifferent media; keep one backup copy offsite.

                                                \n" "Further information on storage and backup prac" "tices is available from the
                                                University of Sheffield Library" @@ -11247,31 +6090,20 @@ msgid "" msgstr "" msgid "" -"

                                                Technical detail example:

                                                -\n" -"
                                                  -\n" -"
                                                • Quota 
                                                • -\n" -"
                                                -\n" -"

                                                Examples of systems:

                                                -\n" -"
                                                  -\n" +"

                                                  Technical detail example:

                                                  \n" +"
                                                    \n" +"
                                                  • Quota 
                                                  • \n" +"
                                                  \n" +"

                                                  Examples of systems:

                                                  \n" +"
                                                    \n" "
                                                  • High-performance archival/storage storage&" -"nbsp;
                                                  • -\n" -"
                                                  • Database
                                                  • -\n" -"
                                                  • Web server
                                                  • -\n" -"
                                                  • Data transfer
                                                  • -\n" +"nbsp; \n" +"
                                                  • Database
                                                  • \n" +"
                                                  • Web server
                                                  • \n" +"
                                                  • Data transfer
                                                  • \n" "
                                                  • Cloud platforms, such as Amazon Web Servic" "es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
                                                  • -\n" +" One Drive \n" "
                                                  " msgstr "" @@ -11280,8 +6112,7 @@ msgid "" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Transmitting data between locations or within research teams" " can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution. 

                                                  -\n" +"ata transfer is not a robust or secure solution. 

                                                  \n" "

                                                  Third-party commercial file sharing service" "s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" "t necessarily permanent or secure, and the servers are often located outside C" @@ -11295,8 +6126,7 @@ msgid "" "chase, data curation, and providing long-term access to the data. For ARC proj" "ects, charges for computing time, also called Service Units (SU), and the cost" " of specialized or proprietary software should also be taken into consideratio" -"n. 

                                                  -\n" +"n. 

                                                  \n" "Some funding agencies state explicitly that th" "ey will provide support to meet the cost of preparing data for deposit in a re" "pository. These costs could include: technical aspects of data management, tra" @@ -11332,41 +6162,28 @@ msgstr "" msgid "" "

                                                  A computationally reproducible research pac" -"kage will include:

                                                  -\n" -"
                                                    -\n" +"kage will include:

                                                    \n" +"
                                                      \n" "
                                                    • Primary data (and documentation) collected" -" and used in analysis
                                                    • -\n" +" and used in analysis \n" "
                                                    • Secondary data (and documentation) collect" -"ed and used in analysis
                                                    • -\n" +"ed and used in analysis \n" "
                                                    • Primary data output result(s) (and documen" -"tation) produced by analysis
                                                    • -\n" +"tation) produced by analysis \n" "
                                                    • Secondary data output result(s) (and docum" -"entation) produced by analysis
                                                    • -\n" +"entation) produced by analysis \n" "
                                                    • Software program(s) (and documentation) fo" -"r computing published results
                                                    • -\n" +"r computing published results \n" "
                                                    • Dependencies for software program(s) for r" -"eplicating published results
                                                    • -\n" +"eplicating published results \n" "
                                                    • Research Software documentation and implem" -"entation details
                                                    • -\n" +"entation details \n" "
                                                    • Computational research workflow and proven" -"ance information
                                                    • -\n" -"
                                                    • Published article(s) 
                                                    • -\n" -"
                                                    -\n" +"ance information \n" +"
                                                  • Published article(s) 
                                                  • \n" +"
                                                  \n" "

                                                  All information above should be accessible " -"to both designated users and reusers. 

                                                  -\n" +"to both designated users and reusers. 

                                                  \n" "

                                                  (Re)using code/software requires knowledge " "of two main aspects at minimum: environment and expected input/output. With su" "fficient information provided, computational results can be reproduced. Someti" @@ -11395,8 +6212,7 @@ msgid "" "personally identified data from other sources. Read more about data security: " "UK Data Service.

                                                  -\n" +"400;\">.

                                                  \n" "You may need to anonymize or de-identify your data before you can share it. Read more about these process" @@ -11445,8 +6261,7 @@ msgid "" "ont-weight: 400;\">Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

                                                  -\n" +"/span>.

                                                  \n" "

                                                  Please be aware that software is typically " "protected by copyright that is often held by the institution rather than the d" "eveloper. Ensure you understand what rights you have to share your software be" @@ -11459,8 +6274,7 @@ msgid "" "of derivatives, be sure to check, read, understand and follow any legal licens" "ing agreements. The actions you can take, including whether you can publish or" " redistribute derivative research products, may depend on terms of the origina" -"l license.

                                                  -\n" +"l license.

                                                  \n" "

                                                  If your research data and/or software are b" "uilt upon others’ data and software publications, it is good practice to" " acknowledge and cite the corresponding data and software you use in the same " @@ -11473,8 +6287,7 @@ msgid "" "-weight: 400;\">, and Out of Cite, Out of M" "ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

                                                  -\n" +" Data.

                                                  \n" "

                                                  Compliance with privacy legislation and law" "s that may restrict the sharing of some data should be discussed with your ins" "titution's privacy officer or data librarian, if possible. Research Ethics Boa" @@ -11493,14 +6306,12 @@ msgid "" "ont-weight: 400;\">guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

                                                  -\n" +"dations

                                                  \n" "

                                                  Some repositories also create links from da" "tasets to their associated papers, increasing the visibility of the publicatio" "ns. If possible, cross-reference or link out to all publications, code and dat" "a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

                                                  -\n" +") to your dataset to ensure stable access to the dataset.

                                                  \n" "Other sharing possibilities include: data regi" "stries, indexes, word-of-mouth, and publications. For more information, see

                                                  -\n" +"w.

                                                  \n" "Wherever possible, share your data in preserva" "tion-friendly file formats. Some data formats are optimal for the long-term pr" "eservation of data. For example, non-proprietary file formats, such as text ('" @@ -11542,8 +6352,7 @@ msgid "" "ing value), will influence the choice of data repository or archive. A helpful" " analogy is to think of creating a 'living will' for the data, that is, a plan" " describing how future researchers will have continued access to the data.&nbs" -"p;

                                                  -\n" +"p;

                                                  \n" "It is important to verify whether or not the d" "ata repository you have selected will support the terms of use or licenses you" " wish to apply to your data and code. Consult the repository’s own terms" @@ -11579,8 +6388,7 @@ msgid "" "n style=\"font-weight: 400;\">. If you would like to archive your code and recei" "ve a DOI,
                                                  " "GitHub is integrated with Zenodo as a repository option. 

                                                  -\n" +"an style=\"font-weight: 400;\"> as a repository option. 

                                                  \n" "

                                                  At a minimum, if using third-party software" " (proprietary or otherwise), researchers should share and make available the s" "ource code (e.g., analysis scripts) used for analysis (even if they do not hav" @@ -11618,8 +6426,7 @@ msgid "" "earch data: methodologies, definitions of variables or analysis categories, sp" "ecific classification systems, assumptions, code tree, analyses performed, ter" "minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

                                                  -\n" +"asks performed, etc. 

                                                  \n" "

                                                  To ensure a verifiable historical interpret" "ation and the lowest possible bias in the possible reuse of the data, try to i" "dentify elements of implicit knowledge or that involve direct communication wi" @@ -11647,21 +6454,18 @@ msgid "" "ttps://www.ed.ac.uk/information-services/research-support/research-data-servic" "e/after/data-repository/trustworthy-digital-repository\">The University of Edin" "burgh and OpenAIRE.

                                                  -\n" +"y\">OpenAIRE.

                                                  \n" "

                                                  To increase the visibility of research data" ", opt for disciplinary repositories: search by discipline in re3data.org.

                                                  -\n" +">.

                                                  \n" "

                                                  For solutions governed by Canadian legislat" "ion, it is possible to browse by country of origin in re3data.org. In addition" ", Canada’s digital research infrastructure offers the Federated Research" " Data Repository (FRDR). Finally," " it is quite possible that your institution has its own research data reposito" -"ry.

                                                  -\n" +"ry.

                                                  \n" "

                                                  To make sure the selected repository meets " "the requirements of your DMP, feel free to seek advice from a UK Data Service Costing T" -"ool.

                                                  -\n" +"ool.

                                                  \n" "

                                                  Include this cost estimate in the Responsibilities and Resources section.

                                                  -\n" +"pan style=\"font-weight: 400;\"> section.

                                                  \n" "

                                                  If necessary, contact a resource person If applicable, retrieve written consent from an institution's ethics approv" "al process. If the research involves human participants, verify that the conte" "nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

                                                  -\n" +"ned by the participants.

                                                  \n" "

                                                  Describes anticipated data sharing issues w" "ithin the team, their causes, and possible measures to mitigate them. <" "span style=\"font-weight: 400;\">Read more about data security at UBC Library, UK Data Service, or Réseau P" -"ortage.

                                                  -\n" +"ortage.

                                                  \n" "

                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                  -\n" +"ose sensitive data.

                                                  \n" "

                                                  Explain how access requests to research dat" "a containing sensitive data will be managed. What are the access conditions? W" "ho will monitor these requests? What explanations should be provided to applic" @@ -11730,8 +6529,7 @@ msgid "" "and external copyright holders (include libraries, archives and museums). Veri" "fy that the licenses to use the research materials identified in the Shari" "ng and Reuse section are consistent with the description in this section." -"

                                                  -\n" +"

                                                  \n" "

                                                  If commercial activities are involved in yo" "ur research project, there are legal aspects to consider regarding the protect" "ion of private information. Compliance with Research Data Jour" "nal for the Humanities and Social Sciences (lien en anglais).

                                                  -\n" +"an>

                                                  \n" "

                                                  Consulter au besoin une personne ressource" @@ -11787,8 +6584,7 @@ msgstr "" msgid "" "

                                                  If the DMP is at the funding application st" "age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

                                                  -\n" +"ssible research data management in the funding application.

                                                  \n" "

                                                  Activities that should be documented: draft" "ing and updating the DMP; drafting document management procedures (naming rule" "s, backup copies, etc.); monitoring document management procedure implementati" @@ -11854,13 +6650,11 @@ msgid "" "\"https://vraweb.org/resources/cataloging-cultural-objects/\">Cataloging Cultura" "l Objects). However, their use may result in a loss of information on prov" "enance or contextualization, so ensure that this documentation is present else" -"where.

                                                  -\n" +"where.

                                                  \n" "

                                                  Resource for exploring and identifying meta" "data schemas that may be helpful: RDA Metadata Directory.

                                                  -\n" +"a>.

                                                  \n" "

                                                  Resources for exploring controlled vocabula" "ries: CIDOC/ICOM Conceptual Reference Mode" "l, Linked Open Vocabulari" @@ -11881,12 +6675,10 @@ msgid "" "/ukdataservice.ac.uk/media/622368/costingtool.pdf\">UK Data Service Costing Tool (" "liens en anglais).

                                                  -\n" +"tyle=\"font-weight: 400;\">).

                                                  \n" "

                                                  Intégrer cette estimation de co&ucir" "c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                  -" +"acute;s et ressources.

                                                  " "\n" "

                                                  Consulter au besoin une If applicable, retrieve written consent fro" "m an institution's ethics approval process. If the research involves human par" "ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

                                                  -\n" +"istent with the consent form signed by the participants.

                                                  \n" "

                                                  Describes anticipated data sharing issues w" "ithin the team, their causes, and possible measures to mitigate them. Read mor" "e about data security atUBC Library, UK Data Service, or the Portage Network.

                                                  -\n" +";\">.

                                                  \n" "

                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                  -\n" +"ose sensitive data.

                                                  \n" "

                                                  Explain how access requests to research dat" "a containing sensitive data will be managed. What are the access conditions? W" "ho will monitor these requests? What explanations should be provided to applic" @@ -11936,8 +6725,7 @@ msgid "" "ies, archives and museums). Verify that the licenses to use the research mater" "ials identified in the Sharing and " "Reuse section are consistent with " -"the description in this section.

                                                  -\n" +"the description in this section.

                                                  \n" "

                                                  If commercial activities are involved in yo" "ur research project, there are legal aspects to consider regarding the protect" "ion of private information. Compliance with offers an easy-to-use tool for assessing compliance with these principles" ". The Digita" "l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

                                                  -\n" +" and physical).

                                                  \n" "

                                                  To make the material retrievable by other tools and to cite it in scholarly" " publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

                                                  -\n" +"ial Sciences.

                                                  \n" "

                                                  If necessary, contact a resource person

                                                  -\n" +"llectual Property Rights, among others.

                                                  \n" "Reused from: Digital Curation Centre. (2013). " "Checklist for a Data Management PlanCompliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

                                                  -\n" +"Boards are central to the research process. 

                                                  \n" "

                                                  Include here a description concerning owner" "ship, licensing, and intellectual property rights of the data. Terms of reuse " "must be clearly stated, in line with the relevant legal and ethical requiremen" @@ -12137,8 +6921,7 @@ msgid "" "shersci/en_CA/documents/brochures-and-catalogs/catalogs/ccme-protocols-manual-" "water-quality-sampling.pdf\">CCME’s Proto" "cols for Water Quality Sampling in Canada, whenever possible. 

                                                  -\n" +"400;\">, whenever possible. 

                                                  \n" "

                                                  If you will set up monitoring station(s) to" " continuously collect or sample water quality data, please review resources su" "ch as the Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

                                                  -\n" -"
                                                    -\n" +"sk with its collection. Examples of sensitive data include:

                                                    \n" +"
                                                      \n" "
                                                    • Data governed by" -" third party agreements, contracts or legislation.
                                                    • -\n" +" third party agreements, contracts or legislation. \n" "
                                                    • Personal informa" -"tion, health related data, biological samples, etc.
                                                    • -\n" +"tion, health related data, biological samples, etc. \n" "
                                                    • Indigenous knowl" "edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
                                                    • -\n" +"nd ice. \n" "
                                                    • Data collected w" -"ith an industry partner.
                                                    • -\n" +"ith an industry partner. \n" "
                                                    • Location informa" -"tion of species at risk. 
                                                    • -\n" +"tion of species at risk.  \n" "
                                                    • Data collected o" "n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
                                                    • -" +"ld impact property values or stigmatize residents or land owners. " "\n" -"
                                                    -\n" +"
                                                  \n" "Additional sensitivity assessment can be made " "using data classification matrices such as the
                                                  -\n" +"p> \n" "

                                                  Decisions should align with Research Ethics" " Board requirements. If you are collecting water quality data from Indigenous " "communities, please also review resources such as the Tri-Council Policy State" @@ -12220,8 +6993,7 @@ msgid "" "tps://www.nri.nu.ca/sites/default/files/public/files/06-068%20ITK%20NRR%20book" "let.pdf\">Negotiating Research Relationships wi" "th Inuit Communities as appropriate" -". 

                                                  -\n" +". 

                                                  \n" "Restrictions can be imposed by limiting physic" "al access to storage devices, placing data on computers with no access to the " "Internet, through password protection, and by encrypting files. Sensitive data" @@ -12236,8 +7008,7 @@ msgid "" "data with acknowledged long-term value should be made available, and for how l" "ong it should be archived. If you must restrict some data from sharing, consid" "er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

                                                  -\n" +"etadata catalogue.

                                                  \n" "

                                                  Obtaining the appropriate consent from rese" "arch participants is an important step in assuring Research Ethics Boards that" " the data may be shared with researchers outside your project. The consent sta" @@ -12254,16 +7025,14 @@ msgid "" "

                                                  Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" "ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

                                                  -\n" +"Boards are also central to the research process.

                                                  \n" "

                                                  Describe ownership, licensing, and any inte" "llectual property rights associated with the data. Check your institution's po" "licies for additional guidance in these areas. The University of Waterloo has " "a good example of an institutional policy on Intellectual Property Rights" -".

                                                  -\n" +".

                                                  \n" "

                                                  Terms of reuse must be clearly stated, in l" "ine with the relevant legal and ethical requirements where applicable (e.g., s" "ubject consent, permissions, restrictions, etc.).

                                                  " @@ -12292,44 +7061,33 @@ msgid "" msgstr "" msgid "" -"

                                                  File names should:

                                                  -\n" -"
                                                    -\n" +"

                                                    File names should:

                                                    \n" +"
                                                      \n" "
                                                    • Clearly identify the name of the project (" "Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" -"nd type of data in the file;
                                                    • -\n" +"nd type of data in the file; \n" "
                                                    • Avoid use of special characters, such as  $ % ^ & # | :, to preve" "nt errors and use an underscore ( _)  or dash (-) rather than spaces; -\n" +"> \n" "
                                                    • Be as concise as possible. Some instrument" "s may limit you to specific characters. Check with your labs for any naming St" -"andard Operating Procedures (SOPs) or requirements. 
                                                    • -\n" -"
                                                    -\n" -"

                                                    Data Structure:

                                                    -\n" -"
                                                      -\n" +"andard Operating Procedures (SOPs) or requirements.  \n" +"
                                                    \n" +"

                                                    Data Structure:

                                                    \n" +"
                                                      \n" "
                                                    • It is important to keep track of different" " copies or versions of files, files held in different formats or locations, an" "d information cross-referenced between files. This process is called 'version " "control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" -". v1.1.0);
                                                    • -\n" +". v1.1.0); \n" "
                                                    • Logical file structures, informative naming conventions and clear indicati" "ons of file versions all contribute to better use of your data during and afte" "r your research project.  These practices will help ensure that you and y" "our research team are using the appropriate version of your data and minimize " "confusion regarding copies on different computers and/or on different media.&n" -"bsp;
                                                    • -\n" -"
                                                    -\n" +"bsp; \n" +"
                                                  \n" "

                                                  Read more about file naming and version control: UBC Library or Water Quality metadata standards:

                                                  -\n" -"
                                                    -\n" +"

                                                    Water Quality metadata standards:

                                                    \n" +"
                                                      \n" "
                                                    • DS-WQX: A schema designed for data entered into the DataStream reposi" -"tory based off of the US EPA’s WQX standard.
                                                    • -\n" +"tory based off of the US EPA’s WQX standard. \n" "
                                                    • WQX: Data model designed by the US EPA and USGS for" -" upload to their water quality exchange portal.
                                                    • -\n" -"
                                                    -\n" -"

                                                    Ecological metadata standards:

                                                    -\n" -"
                                                      -\n" +" upload to their water quality exchange portal. \n" +"
                                                    \n" +"

                                                    Ecological metadata standards:

                                                    \n" +" -\n" -"

                                                    Geographic metadata standards:

                                                    -\n" -"
                                                      -\n" +"able XML markup syntax for documenting research data. \n" +"
                                                    \n" +"

                                                    Geographic metadata standards:

                                                    \n" +"
                                                      \n" "
                                                    • ISO 1911" "5: International Standards Organisa" "tion’s schema for describing geographic information and services." -"
                                                    • -\n" -"
                                                    -\n" +" \n" +"
                                                  \n" "

                                                  Read more about metadata standards: " "UK Digital Curation Centre's Disciplinary Metadata
                                                  Some tips for ensuring good met" -"adata collection are:
                                                  -\n" -"

                                                    -\n" +"adata collection are:
                                                    \n" +"
                                                      \n" "
                                                    • Provide support documentation and routine metadata training to data collec" -"tors.
                                                    • -\n" +"tors. \n" "
                                                    • Provide data collectors with thorough data" " collection tools (e.g., field or lab sheets) so they are able to capture the " -"necessary information.
                                                    • -\n" +"necessary information. \n" "
                                                    • Samples or notes recorded in a field or la" "b book should be scanned or photographed daily to prevent lost data. -\n" +"i> \n" "
                                                    " msgstr "" @@ -12574,30 +7314,23 @@ msgstr "" msgid "" "Describe the roles and responsibilities of all" " parties with respect to the management of the data. Consider the following:
                                                    -\n" -"
                                                      -\n" +"span>
                                                      \n" +"
                                                        \n" "
                                                      • If there are multiple investigators involv" "ed, what are the data management responsibilities of each investigator? <" -"/span>
                                                      • -\n" +"/span> \n" "
                                                      • If data will be collected by students, cla" "rify the student role versus the principal investigator role, and identify who" -" will hold theIntellectual Property rights.  
                                                      • -\n" +" will hold theIntellectual Property rights.   \n" "
                                                      • Will training be required to perform the d" "ata collection or data management tasks? If so, how will this training be admi" -"nistered and recorded? 
                                                      • -\n" +"nistered and recorded?  \n" "
                                                      • Who will be the primary person responsible" " for ensuring compliance with the Data Management Plan during all stages of th" -"e data lifecycle?
                                                      • -\n" +"e data lifecycle? \n" "
                                                      • Include the time frame associated with the" "se staff responsibilities and any training needed to prepare staff for these d" -"uties.
                                                      • -\n" +"uties. \n" "
                                                      " msgstr "" @@ -12635,25 +7368,19 @@ msgstr "" msgid "" "

                                                      In these instances, it is critical to asses" "s whether data can or should be shared. It is necessary to comply with:" -"

                                                      -\n" -"
                                                        -\n" +"

                                                        \n" +"
                                                          \n" "
                                                        • Data treatment p" "rotocols established by the Research Ethics Board (REB) process, including dat" "a collection consent, privacy considerations, and potential expectations of da" -"ta destruction;
                                                        • -\n" +"ta destruction; \n" "
                                                        • Data-sharing agr" "eements or contracts.  Data that you source or derive from a third party " "may only be shared in accordance with the original data sharing agreements or " -"licenses;
                                                        • -\n" +"licenses; \n" "
                                                        • Any relevant leg" -"islation.
                                                        • -\n" -"
                                                        -\n" +"islation. \n" +"
                                                      \n" "

                                                      Note:  If raw " "or identifiable data cannot be shared, is it possible to share aggregated data" ", or to de-identify your data, or coarsen location information for sharing? If" @@ -12666,32 +7393,26 @@ msgid "" "

                                                      Think about what data needs to be shared to" " meet institutional or funding requirements, and what data may be restricted b" "ecause of confidentiality, privacy, or intellectual property considerations.

                                                      -\n" -"
                                                        -\n" +"span>

                                                        \n" +"
                                                          \n" "
                                                        • Raw data are unprocessed data directly obtained from sampling, field instrume" "nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" "p; Sharing raw data is valuable because it enables researchers to evaluate new" " processing techniques and analyse disparate datasets in the same way. 
                                                        • -\n" +"span> \n" "
                                                        • Processed data results from some manipulation of the raw data in order to eli" "minate errors or outliers, to prepare the data for analysis or preservation, t" "o derive new variables, or to de-identify the sampling locations. Processing s" -"teps need to be well described.
                                                        • -\n" +"teps need to be well described. \n" "
                                                        • Analyzed data are the results of qualitative, statistical, or mathematical an" "alysis of the processed data. They may  be presented as graphs, charts or" -" statistical tables.
                                                        • -\n" +" statistical tables. \n" "
                                                        • Final data are processed " "data that have undergone a review process to ensure data quality and, if neede" -"d, have been converted into a preservation-friendly format.
                                                        • -\n" +"d, have been converted into a preservation-friendly format. \n" "
                                                        " msgstr "" @@ -12700,58 +7421,43 @@ msgid "" "ies help maintain scientific data over time and support data discovery, reuse," " citation, and quality. Researchers are encouraged to deposit data in leading " "“domain-specific” repositories, especially those that are FAIR-ali" -"gned, whenever possible.
                                                        -\n" +"gned, whenever possible.
                                                        \n" "

                                                        Domain-specific repositories for water quality data include:

                                                        -\n" -"
                                                          -\n" +"g>

                                                          \n" +"
                                                            \n" "
                                                          • DataStream: A f" "ree, open-access platform for storing, visualizing, and sharing water quality " -"data in Canada.
                                                          • -\n" +"data in Canada. \n" "
                                                          • Canadian Aquatic Biomonitoring Network (CABIN)" ": A national biomonitoring program developed b" "y Environment and Climate Change Canada that provides a standardized sampling " "protocol and a recommended assessment approach for assessing aquatic ecosystem" -" condition.
                                                          • -\n" -"
                                                          -\n" -"

                                                          General Repositories:

                                                          -\n" -"
                                                            -\n" +" condition. \n" +"
                                                          \n" +"

                                                          General Repositories:

                                                          \n" +"
                                                            \n" "
                                                          • Federated Research Data Repository: A scalable federated platform for digital research d" -"ata management (RDM) and discovery.
                                                          • -\n" +"ata management (RDM) and discovery. \n" "
                                                          • Institution-spec" "ific Dataverse: Please contact your institution’s library to see if this" -" is a possibility.
                                                          • -\n" -"
                                                          -\n" -"

                                                          Other resources:

                                                          -\n" -"
                                                            -\n" +" is a possibility. \n" +"
                                                          \n" +"

                                                          Other resources:

                                                          \n" +"
                                                            \n" "
                                                          • The Rep" "ository Finder Tool developed by Da" "taCite. This tool queries the re3data registry of research data repositories.
                                                          • -\n" +" 400;\"> of research data repositories. \n" "
                                                          • Coalition for Publishing Data in the Earth and S" "pace Sciences: Enabling FAIR Data – FAQs.
                                                          • -\n" +"ling-fair-data-faqs/\">Enabling FAIR Data – FAQs. \n" "
                                                          " msgstr "" @@ -12812,8 +7518,7 @@ msgid "" "utes of Health’s Key Element" "s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                                                          -\n" +"pan>.

                                                          \n" "Contact librarians at your institution for ass" "istance in making your dataset visible and easily accessible, or reach out to " "the Portage DMP Coordinator at Word, RTF, PDF, etc.: proj" "ect documents, notes, drafts, review protocol, line-by-line search strategies," -" PRISMA or other reporting checklists; included studies

                                                          -\n" +" PRISMA or other reporting checklists; included studies

                                                          \n" "

                                                          RIS, BibTex, XML, txt: fil" -"es exported from literature databases or tools like Covidence

                                                          -\n" +"es exported from literature databases or tools like Covidence

                                                          \n" "

                                                          Excel (xlsx, csv): search " "tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" -"traction worksheets; meta-analysis data

                                                          -\n" +"traction worksheets; meta-analysis data

                                                          \n" "

                                                          NVivo: qualitative synthes" -"is data

                                                          -\n" +"is data

                                                          \n" "

                                                          TIF, PNG, etc.: images and" -" figures

                                                          -\n" +" figures

                                                          \n" "

                                                          For more in-depth guidance, see “Data" " Collection” in the University of Calgary Library Guide" @@ -12868,8 +7568,7 @@ msgid "" "

                                                          If you plan to use systematic review softwa" "re or reference management software for screening and data management, indicat" "e which program you will use, and what format files will be saved/exported in." -"

                                                          -\n" +"

                                                          \n" "

                                                          Keep in mind that proprietary file formats " "will require team members and potential future users of the data to have the r" "elevant software to open or edit the data. While you may prefer to work with d" @@ -12885,18 +7584,14 @@ msgstr "" msgid "" "

                                                          Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" -"le

                                                          -\n" +"le

                                                          \n" "

                                                          Example: Sutton_2019_MeetingTheReview

                                                          -\n" +">

                                                          \n" "

                                                          Suggested format - screening file for reviewers:<" "span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials -\n" +"p> \n" "

                                                          Example: PetTherapy_ScreeningSet1_ZP" -"

                                                          -\n" +"

                                                          \n" "For more examples, see “Data Collection&" "rdquo; in the
                                                          <" "span style=\"font-weight: 400;\">University of Calgary Library Guide<" @@ -12910,15 +7605,13 @@ msgid "" "ive naming conventions, and clear indications of file versions, all help ensur" "e that you and your research team are using the appropriate version of your da" "ta, and will minimize confusion regarding copies on different computers and/or" -" on different media.

                                                          -\n" +" on different media.

                                                          \n" "

                                                          Read more about file naming and version con" "trol: UBC Library or UK Data Archive" -".

                                                          -\n" +".

                                                          \n" "Consider a naming convention that includes: th" "e project name and date using the ISO standard for d" @@ -12945,14 +7638,12 @@ msgstr "" msgid "" "

                                                          Where will the process and procedures for e" "ach stage of your review be kept and shared? Will the team have a shared works" -"pace? 

                                                          -\n" +"pace? 

                                                          \n" "

                                                          Who will be responsible for documenting eac" "h stage of the review? Team members responsible for each stage of the review s" "hould add the documentation at the conclusion of their work on a particular st" "age, or as needed. Refer back to the data collection guidance for examples of " -"the types of documentation that need to be created.

                                                          -\n" +"the types of documentation that need to be created.

                                                          \n" "

                                                          Often, resources you've already created can" " contribute to this (e.g. your protocol). Consult regularly with members of th" "e research team to capture potential changes in data collection/processing tha" @@ -12973,8 +7664,7 @@ msgid "" "

                                                          Storage-space estimates should take into ac" "count requirements for file versioning, backups, and growth over time. A long-" "term storage plan is necessary if you intend to retain your data after the res" -"earch project or update your review at a later date.

                                                          -\n" +"earch project or update your review at a later date.

                                                          \n" "

                                                          A systematic review project will not typica" "lly require more than a few GB of storage space; these needs can be met by mos" "t common storage solutions, including shared servers.

                                                          " @@ -12988,13 +7678,11 @@ msgid "" " Google Drive may be acceptable. Consider who should have control over the sha" "red account. Software to facilitate the systematic review process or for citat" "ion management such as Covidence or Endnote may be used for active data storag" -"e of records and PDFs.

                                                          -\n" +"e of records and PDFs.

                                                          \n" "

                                                          The risk of losing data due to human error," " natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" "ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                                          -\n" +"ifferent media; keep one backup copy offsite.

                                                          \n" "Further information on storage and backup prac" "tices is available from the
                                                          University of Sheffield Library" @@ -13011,8 +7699,7 @@ msgid "" "e acceptable, as long as it is only shared among team members. Consider who wi" "ll retain access to the shared storage space and for how long. Consider who sh" "ould be the owner of the account. If necessary, have a process for transferrin" -"g ownership of files in the event of personnel changes.

                                                          -\n" +"g ownership of files in the event of personnel changes.

                                                          \n" "

                                                          An ideal solution is one that facilitates c" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Relying on email for data transfer is not a robust or secure" @@ -13025,8 +7712,7 @@ msgid "" "by external policies (e.g. funding agencies, journal publishers), or by an und" "erstanding of the enduring value of a given set of data. Consider what you wan" "t to share long-term vs. what you need to keep long-term; these might be two s" -"eparately stored data sets. 

                                                          -\n" +"eparately stored data sets. 

                                                          \n" "

                                                          Long-term preservation is an important aspe" "ct to consider for systematic reviews as they may be rejected and need to be r" "eworked/resubmitted, or the authors may wish to publish an updated review in a" @@ -13034,8 +7720,7 @@ msgid "" "erest in the concept of a ‘living systematic review’). 

                                                          -\n" +"ght: 400;\">’). 

                                                          \n" "For more detailed guidance, and some suggested" " repositories, see “Long-Term Preservation” on the UK Data Service<" "span style=\"font-weight: 400;\"> provides a useful table of file formats for va" -"rious types of data. 

                                                          -\n" +"rious types of data. 

                                                          \n" "

                                                          Keep in mind that converting files from pro" "prietary to non-proprietary formats may lose information or affect functionali" "ty. If this is a concern, you can archive both a proprietary and non-proprieta" @@ -13061,25 +7745,18 @@ msgstr "" msgid "" "

                                                          Examples of what should be shared: 

                                                          -\n" -"
                                                            -\n" +"pan>

                                                            \n" +"
                                                              \n" "
                                                            • protocols <" -"/span>
                                                            • -\n" +"/span> \n" "
                                                            • complete search " -"strategies for all databases 
                                                            • -\n" +"strategies for all databases  \n" "
                                                            • data extraction " -"forms 
                                                            • -\n" +"forms  \n" "
                                                            • statistical code" " and data files (e.g. CSV or Excel files) that are exported into a statistical" -" program to recreate relevant meta-analyses
                                                            • -\n" -"
                                                            -\n" +" program to recreate relevant meta-analyses \n" +"
                                                          \n" "For more examples, consult “Sharing and " "Reuse” on the University of Calgary Library Guide" @@ -13088,17 +7765,14 @@ msgstr "" msgid "" "

                                                          Raw data are directly obta" -"ined from the instrument, simulation or survey. 

                                                          -\n" +"ined from the instrument, simulation or survey. 

                                                          \n" "

                                                          Processed data result from" " some manipulation of the raw data in order to eliminate errors or outliers, t" -"o prepare the data for analysis, to derive new variables. 

                                                          -\n" +"o prepare the data for analysis, to derive new variables. 

                                                          \n" "

                                                          Analyzed data are the resu" "lts of qualitative, statistical, or mathematical analysis of the processed dat" "a. They can be presented as graphs, charts or statistical tables. " -"

                                                          -\n" +"

                                                          \n" "Final data are processed data" " that have, if needed, been converted into a preservation-friendly format. " @@ -13125,8 +7799,7 @@ msgid "" "rnals you plan to submit to - do they require data associated with your manusc" "ript to be made public? Note that only the intellectual property rights holder" "(s) can issue a license, so it is crucial to clarify who owns those rights.

                                                          -\n" +"pan>

                                                          \n" "

                                                          Consider whether attribution is important t" "o you; if so, select a license whose terms require that data used by others be" " properly attributed to the original authors. Include a copy of your end-user " @@ -13165,8 +7838,7 @@ msgid "" "ta in the event that one or more people responsible for the data leaves. Descr" "ibe the process to be followed in the event that the Principal Investigator le" "aves the project. In some instances, a co-investigator or the department or di" -"vision overseeing this research will assume responsibility.

                                                          -\n" +"vision overseeing this research will assume responsibility.

                                                          \n" "If data is deposited into a shared space as ea" "ch stage of the review is completed, there is greater likelihood that the team" " has all of the data necessary to successfully handle personnel changes. Be aware that PDF articles and even databas" "e records used in your review may be subject to copyright. You can store them " "in your group project space, but they should not be shared as part of your ope" -"n dataset.

                                                          -\n" +"n dataset.

                                                          \n" "

                                                          If you are reusing others’ published " "datasets as part of your meta-analysis, ensure that you are complying with any" " applicable licences on the original dataset, and properly cite that dataset.<" @@ -13226,8 +7897,7 @@ msgstr "" msgid "" "

                                                          Describe the type(s) of data that will be c" "ollected, such as: text, numeric (ASCII, binary), images, and animations. " -";

                                                          -\n" +";

                                                          \n" "List the file formats you expect to use. Keep " "in mind that some file formats are optimal for the long-term preservation of d" "ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" @@ -13255,8 +7925,7 @@ msgid "" " the data have a DOI or unique accession number, include that information and " "the name of the repository or database that holds the data. This will allow yo" "u to easily navigate back to the data, and properly cite and acknowledge the d" -"ata creators in any publication or research output.  

                                                          -\n" +"ata creators in any publication or research output.  

                                                          \n" "

                                                          For data that are not publicly available, y" "ou may have entered into a data-sharing arrangement with the data owner, which" " should be noted here.  A data-sharing arrangement describes what data ar" @@ -13270,8 +7939,7 @@ msgid "" "ndary data source may be structures or parameters obtained from P" "rotein Data Bank (PDB). 

                                                          -\n" +">

                                                          \n" "

                                                          Examples of computational data and data sou" "rces may include: log files, parameters, structures, or trajectory files from " "previous modeling/simulations or tests.

                                                          " @@ -13283,8 +7951,7 @@ msgid "" "empirical data. For commercial instruments or devices, indicate the brand, typ" "e, and other necessary characteristics for identification. For a home-built ex" "perimental setup, list the components, and describe the functional connectivit" -"y. Use diagrams when essential for clarity. 

                                                          -\n" +"y. Use diagrams when essential for clarity. 

                                                          \n" "

                                                          Indicate the program and software package w" "ith the version you will use to prepare a structure or a parameter file for mo" "deling or simulation. If web-based services such as CHARMM-GUI, etc. will be used to prepare or generate data, provide" " details such as the name of the service, URL, version (if applicable), and de" -"scription of how you plan to use it. 

                                                          -\n" +"scription of how you plan to use it. 

                                                          \n" "If you plan to use your own software or code, " "specify where and how it can be obtained to independently verify computational" " outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" @@ -13323,8 +7989,7 @@ msgstr "" msgid "" "

                                                          Some examples of data procedures include: d" "ata normalization, data fitting, data convolution, or Fourier transformation.&" -"nbsp;

                                                          -\n" +"nbsp;

                                                          \n" "

                                                          Examples of documentation may include: synt" "ax, code, algorithm(s), parameters, device log files, or manuals. 

                                                          " @@ -13347,8 +8012,7 @@ msgid "" "/04/QuickGuide_UBC_readme_v1.0_20200427.pdf\">U" "BC) and Cornell" -" University. 

                                                          -\n" +" University. 

                                                          \n" "

                                                          Consider also saving detailed information d" "uring the course of the project in a log file. A log file will help to manage " "and resolve issues that arise during a project and prioritize the response to " @@ -13365,8 +8029,7 @@ msgid "" "s, etc.).  It is useful to consult regularly with members of the research" " team to capture potential changes in data collection/processing that need to " "be reflected in the documentation. Individual roles and workflows should inclu" -"de gathering data documentation as a key element.

                                                          -\n" +"de gathering data documentation as a key element.

                                                          \n" "Describe how data will be shared and accessed " "by the members of the research group during the project. Provide details of th" "e data management service or tool (name, URL) that will be utilized to share d" @@ -13401,23 +8064,17 @@ msgid "" "c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" " or laptop hard drives), or networked (e.g. networked drives or cloud-based se" "rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                                          -\n" +"ed when determining the most appropriate solution. 

                                                          \n" "The risk of losing data due to human error, na" "tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" -"ckup rule: -\n" -"
                                                            -\n" +"ckup rule: \n" +"
                                                              \n" "
                                                            • Have at least three copies of your data.
                                                            • -\n" +"r /> \n" "
                                                            • Store the copies on two different media.
                                                            • -\n" -"
                                                            • Keep one backup copy offsite.
                                                            • -" +"span> \n" +"
                                                            • Keep one backup copy offsite.
                                                            • " "\n" "
                                                            " msgstr "" @@ -13426,27 +8083,21 @@ msgid "" "

                                                            Consider which data need to be shared to me" "et institutional, funding, or industry requirements. Consider which data will " "need to be restricted because of data-sharing arrangements with third parties," -" or other intellectual property considerations. 

                                                            -\n" +" or other intellectual property considerations. 

                                                            \n" "

                                                            In this context, data might include researc" "h and computational findings, software, code, algorithms, or any other outputs" " (research or computational) that may be generated during the project. Researc" -"h outputs might be in the form of:

                                                            -\n" -"
                                                              -\n" +"h outputs might be in the form of:

                                                              \n" +"
                                                                \n" "
                                                              • raw data are the data dir" -"ectly obtained from the simulation or modeling;
                                                              • -\n" +"ectly obtained from the simulation or modeling; \n" "
                                                              • processed data result fro" "m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, or to derive new variables; or
                                                              • -" +"to prepare the data for analysis, or to derive new variables; or " "\n" "
                                                              • analyzed data are the res" "ults of quantitative, statistical, or mathematical analysis of the processed d" -"ata.
                                                              • -\n" +"ata. \n" "
                                                              " msgstr "" @@ -13455,8 +8106,7 @@ msgid "" "a repositories, indexes, word-of-mouth, and publications. If possible, choose " "to archive your data in a repository that will assign a persistent identifier " "(such as a DOI) to your dataset. This will ensure stable access to the dataset" -" and make it retrievable by various discovery tools. 

                                                              -\n" +" and make it retrievable by various discovery tools. 

                                                              \n" "One of the best ways to refer other researcher" "s to your deposited datasets is to cite them the same way you cite other types" " of publications (articles, books, proceedings). The Digital Curation Centre p" @@ -13469,15 +8119,12 @@ msgstr "" msgid "" "

                                                              Some strategies for sharing include:
                                                              <" -"/span>

                                                              -\n" -"
                                                                -\n" +"/span>

                                                                \n" +"
                                                                  \n" "
                                                                1. Research collaboration platforms such as <" "a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" -"sh computational code and data;
                                                                2. -\n" +"sh computational code and data; \n" "
                                                                3. GitHub, " "GitLab or Bitbucket will be utiliz" -"ed to allow for version control;
                                                                4. -\n" +"ed to allow for version control; \n" "
                                                                5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" "tudy, share, and modify the code or software. For further information about li" "censes see, for example, the Open So" -"urce Initiative;
                                                                6. -\n" +"urce Initiative; \n" "
                                                                7. The code or software will be archived in a" " repository, and a DOI will be assigned to track use through citations. Provid" -"e the name of the repository;
                                                                8. -\n" +"e the name of the repository; \n" "
                                                                9. A software patent will be submitted.
                                                                10. -\n" +"n> \n" "
                                                                " msgstr "" @@ -13508,8 +8151,7 @@ msgid "" "

                                                                In cases where only selected data will be r" "etained, indicate the reason(s) for this decision. These might include legal, " "physical preservation issues or other requirements to keep or destroy data.&nb" -"sp;

                                                                -\n" +"sp;

                                                                \n" "

                                                                There are general-purpose data repositories" " available in Canada, such as Scholars Portal Dataverse

                                                                -\n" +"-PI takes over the responsibilities.

                                                                \n" "

                                                                Indicate a succession strategy for these da" "ta in the event that one or more people responsible for the data leaves (e.g. " "a graduate student leaving after graduation). Describe the process to be follo" @@ -13673,8 +8314,7 @@ msgid "" "

                                                                Data documentation: I" "t is strongly encouraged to include a ReadMe file with all datasets (or simila" "r) to assist in understanding data collection and processing methods, naming c" -"onventions and file structure.

                                                                -\n" +"onventions and file structure.

                                                                \n" "Typically, good data documentation includes in" "formation about the study, data-level descriptions, and any other contextual i" "nformation required to make the data usable by other researchers. Other elemen" @@ -13691,16 +8331,14 @@ msgstr "" msgid "" "

                                                                Assign responsibilities for documentation: Individual roles and workflows should include gathering " -"data documentation as a key element.

                                                                -\n" +"data documentation as a key element.

                                                                \n" "

                                                                Establishing responsibilities for data mana" "gement and documentation is useful if you do it early on,  ideally in adv" "ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" "inning of each project. They can also be used to make team members responsible" -" for proper data management and documentation.

                                                                -\n" +" for proper data management and documentation.

                                                                \n" "

                                                                Consider how you will capture this informat" "ion and where it will be recorded, to ensure accuracy, consistency, and comple" "teness of the documentation.

                                                                " @@ -13712,8 +8350,7 @@ msgid "" "rnel-4.3/\">metadata schema specifically for open datasets. It lists a set of core" " metadata fields and instructions to make datasets easily identifiable and cit" -"able. 

                                                                -\n" +"able. 

                                                                \n" "There are many other general and domain-specif" "ic metadata standards.  Dataset documentation should be provided in one o" "f these standard, machine readable, openly-accessible formats to enable the ef" @@ -13736,8 +8373,7 @@ msgstr "" msgid "" "

                                                                Estimating data storage needs: Storage-space estimates should take into account requirements for fi" -"le versioning, backups, and growth over time. 

                                                                -\n" +"le versioning, backups, and growth over time. 

                                                                \n" "

                                                                If you are collecting data over a long peri" "od (e.g. several months or years), your data storage and backup strategy shoul" "d accommodate data growth. Include your back-up storage media in your estimate" @@ -13762,52 +8398,42 @@ msgid "" "

                                                                Ask for help: Your in" "stitution should be able to provide guidance with local storage solutions. See" "k out RDM support at your Library or your Advanced Research Computing departme" -"nt. 

                                                                -\n" +"nt. 

                                                                \n" "

                                                                Third-party commercial file sharing service" "s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" "t necessarily permanent or secure, and servers are often located outside Canad" "a. This may contravene ethics protocol requirements or other institutional pol" -"icies. 

                                                                -\n" +"icies. 

                                                                \n" "

                                                                An ideal solution is one that facilitates c" "ooperation and ensures data security, yet is able to be adopted by users with " "minimal training. Transmitting data between locations or within research teams" " can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution.

                                                                -\n" -"
                                                                  -\n" +"ata transfer is not a robust or secure solution.

                                                                  \n" +"
                                                                    \n" "
                                                                  • Raw data are directly obt" -"ained from the instrument, simulation or survey. 
                                                                  • -\n" +"ained from the instrument, simulation or survey.  \n" "
                                                                  • Processed data result fro" "m some manipulation of the raw data in order to eliminate errors or outliers, " "to prepare the data for analysis, to derive new variables, or to de-identify t" -"he human participants. 
                                                                  • -\n" +"he human participants.  \n" "
                                                                  • Analyzed data are the res" "ults of qualitative, statistical, or mathematical analysis of the processed da" "ta. They can be presented as graphs, charts or statistical tables. 
                                                                  • -\n" +"> \n" "
                                                                  • Final data are processed " "data that have, if needed, been converted into a preservation-friendly format." -" 
                                                                  • -\n" +"  \n" "
                                                                  " msgstr "" msgid "" "

                                                                  Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

                                                                  -\n" +"n list on your CV, just like a journal article? 

                                                                  \n" "

                                                                  If you publish your data in a data reposito" "ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" "y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

                                                                  -\n" +"t easier to identify and cite datasets. 

                                                                  \n" "re3data.org" " is a directory of potential open d" "ata repositories. Consult with your colleagues to determine what repositories " @@ -13827,8 +8453,7 @@ msgid "" "term (i.e. for peer-verification purposes), for a longer-term access for reuse" " (to comply with funding requirements), or for preservation through ongoing fi" "le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

                                                                  -\n" +"ence the choice of data repository or archive. 

                                                                  \n" "

                                                                  If you need long-term archiving for your da" "ta set, choose a  preservation-capable repository. Digital preservation c" "an be costly and time-consuming, and not all data can or should be preserved. " @@ -13846,8 +8471,7 @@ msgid "" "

                                                                  Use open licenses to promote data sharing and reuse: " "Licenses determine what uses can be made of yo" "ur data. Consider including a copy of your end-user license with your DMP. 

                                                                  -\n" +"an> 

                                                                  \n" "

                                                                  As the creator of a dataset (or any other a" "cademic or creative work) you usually hold its copyright by default. However, " "copyright prevents other researchers from reusing and building on your work. <" @@ -13858,16 +8482,14 @@ msgid "" "ght: 400;\"> are a free, simple and standardized way to grant copyright permiss" "ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" "cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

                                                                  -\n" +"mdash;as long as they credit you or cite your work.

                                                                  \n" "

                                                                  Even if you choose to make your data part o" "f the public domain (with no restrictions on reuse), it is preferable to make " "this explicit by using a license such as Creative Common" "s' CC0. It is strongly recommended " "to  share your data openly using an Open Data or Creative Commons license" -". 

                                                                  -\n" +". 

                                                                  \n" "Learn more about data licensing at the " "Digital Curation CentreUsing social media, e-newsletters, bulletin boards, posters" ", talks, webinars, discussion boards or discipline-specific forums are good wa" "ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

                                                                  -\n" +"euse. 

                                                                  \n" "

                                                                  One of the best ways to refer other researc" "hers to your deposited datasets is to cite them the same way you cite other ty" "pes of publications. Publish your data in a repository that will assign a pers" @@ -13893,18 +8514,15 @@ msgstr "" msgid "" "

                                                                  Determine jurisdiction: If" " your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

                                                                  -\n" +"rmine which laws and policies will apply to your research.

                                                                  \n" "

                                                                  Compliance with privacy legislation and law" "s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

                                                                  -\n" +"ur institution's privacy officer or research services office.

                                                                  \n" "

                                                                  If you collaborate with a partner in the Eu" "ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                                                                  -\n" +"style=\"font-weight: 400;\">.

                                                                  \n" "

                                                                  If you are working with data that has First" " Nations, Métis, or Inuit ownership, for example, you will need to work" " with protocols that ensure community privacy is respected and community harm " @@ -13929,15 +8547,13 @@ msgid "" "s aspect is not covered by an open license. You can learn more about data secu" "rity at the UK Data Service.

                                                                  -\n" +"ont-weight: 400;\">.

                                                                  \n" "

                                                                  Inform your study participants if you inten" "d to publish an anonymized and de-identified version of collected data, and th" "at by participating, they agree to these terms. For sample language for inform" "ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

                                                                  -\n" +"ecommended Informed Consent Language for Data Sharing.

                                                                  \n" "

                                                                  You may need to consider strategies to ensu" "re the ethical reuse of your published dataset by new researchers. These strat" "egies may affect your selection of a suitable license, and in some cases you m" @@ -13958,19 +8574,14 @@ msgid "" msgstr "" msgid "" -"

                                                                  Please explain, in particular:

                                                                  -\n" -"
                                                                    -\n" +"

                                                                    Please explain, in particular:

                                                                    \n" +"
                                                                      \n" "
                                                                    • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
                                                                    • -\n" +"study? Ex: MRI, EEG. \n" "
                                                                    • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
                                                                    • -\n" +"biological sample. \n" "
                                                                    • Approximately how many participants does the study plan to acquire images " -"from?
                                                                    • -\n" +"from? \n" "
                                                                    " msgstr "" @@ -14066,41 +8677,28 @@ msgid "" " (PHAC) is responsible for setting standards and coordinating REBs across Cana" "da. They provide 10 best practices for ensuring privacy of human participants:

                                                                    -\n" -"
                                                                      -\n" +" 400;\"> for ensuring privacy of human participants:

                                                                      \n" +"
                                                                        \n" "
                                                                      • Determining the research objectives and ju" -"stifying the data needed to fulfill these objectives
                                                                      • -\n" +"stifying the data needed to fulfill these objectives \n" "
                                                                      • Limiting the collection of personal data
                                                                      • -\n" +"span> \n" "
                                                                      • Determining if consent from individuals is" -" required
                                                                      • -\n" +" required \n" "
                                                                      • Managing and documenting consent -\n" +"i> \n" "
                                                                      • Informing prospective research participant" -"s about the research
                                                                      • -\n" +"s about the research \n" "
                                                                      • Recruiting prospective research participan" -"ts
                                                                      • -\n" -"
                                                                      • Safeguarding personal data
                                                                      • -\n" +"ts \n" +"
                                                                      • Safeguarding personal data
                                                                      • \n" "
                                                                      • Controlling access and disclosure of perso" -"nal data
                                                                      • -\n" +"nal data \n" "
                                                                      • Setting reasonable limits on retention of " -"personal data
                                                                      • -\n" +"personal data \n" "
                                                                      • Ensuring accountability and transparency i" -"n the management of personal data
                                                                      • -\n" -"
                                                                      -\n" +"n the management of personal data \n" +"
                                                                    \n" "


                                                                    In the context of neuroimaging resear" "ch, “the potential identifiability of otherwise anonymous image files is" " of great concern to those in the field who are anxious to encourage electroni" @@ -14124,27 +8722,20 @@ msgstr "" msgid "" "Please explain" -", in particular:
                                                                    -\n" -"

                                                                      -\n" +", in particular:
                                                                      \n" +"
                                                                        \n" "
                                                                      • W" "hat is the make and model of the neuroimaging system? Ex: Siemens Prisma 3T.&n" -"bsp;
                                                                      • -\n" +"bsp; \n" "
                                                                      • C" "an you describe the image acquisition paradigm and parameters being used in th" -"e study? Ex. MRI T1w MPRAGE. 
                                                                      • -\n" +"e study? Ex. MRI T1w MPRAGE.  \n" "
                                                                      • W" "hat is the total duration of the scanning sequence? Ex. 40 minutes. -\n" +"> \n" "
                                                                      • W" -"hat file formats will your neuroimaging data be acquired in?
                                                                      • -\n" -"
                                                                          -\n" +"hat file formats will your neuroimaging data be acquired in? \n" +"
                                                                            \n" "
                                                                          • P" "roprietary file formats requiring specialized software or hardware to use are " "not recommended for preservation, but may be necessary for certain data collec" @@ -14155,40 +8746,28 @@ msgid "" "pan style=\"font-weight: 400;\">UBC Library or UK Data Archive.
                                                                          • -\n" -"
                                                                          -\n" +"nt-weight: 400;\">. \n" +"
                                                                        \n" "
                                                                      • W" "ill the data be converted into other formats? Ex. NIFTI, BIDS, Minc. -\n" +"i> \n" "
                                                                      • D" -"oes the study incorporate any data acquired externally? 
                                                                      • -\n" -"
                                                                          -\n" +"oes the study incorporate any data acquired externally?  \n" +"
                                                                            \n" "
                                                                          • N" -"o. New data acquisition only.
                                                                          • -\n" +"o. New data acquisition only. \n" "
                                                                          • N" -"ew data plus retrospective data from the same PI.
                                                                          • -\n" +"ew data plus retrospective data from the same PI. \n" "
                                                                          • N" -"ew data plus retrospective data from multiple sources.
                                                                          • -\n" +"ew data plus retrospective data from multiple sources. \n" "
                                                                          • O" -"nly retrospective data used in this study.
                                                                          • -\n" -"
                                                                          -\n" +"nly retrospective data used in this study. \n" +"
                                                                        \n" "
                                                                      • I" "f external data are used in this study, please provide details about the sourc" "e of external data, and identifying coordinates (DOI, URL, citation). -\n" -"
                                                                      -\n" +"li> \n" +"
                                                                    \n" "
                                                                    " msgstr "" @@ -14227,20 +8806,16 @@ msgid "" msgstr "" msgid "" -"
                                                                      -\n" +"
                                                                        \n" "
                                                                      • D" "oes the study have an identifier (study ID) entered into the imaging console a" -"nd other software? If so, enter the study ID here.
                                                                      • -\n" +"nd other software? If so, enter the study ID here. \n" "
                                                                      • D" "oes the study use identifiers for participants, e.g. sub-002 ? If so, give an " -"example of the subject ID format here.
                                                                      • -\n" +"example of the subject ID format here. \n" "
                                                                      • A" "re there any other codes or identifiers used in the study? If so, please ident" -"ify and describe them here.
                                                                      • -\n" +"ify and describe them here. \n" "
                                                                      " msgstr "" @@ -14425,8 +9000,7 @@ msgid "" "y-accessible formats to enable the effective exchange of information between u" "sers and systems.  These standards are often based on language-independen" "t data formats such as XML, RDF, and JSON. There are many metadata standards b" -"ased on these formats, including discipline-specific standards.

                                                                      -\n" +"ased on these formats, including discipline-specific standards.

                                                                      \n" "

                                                                      Dataset documentation may also include a co" "ntrolled vocabulary, which is a standardized list of terminology for describin" "g information. Examples of controlled vocabularies include the or NASA’s Glo" "bal Change Master Directory (GCMD) Keywords

                                                                      -\n" +": 400;\">. 

                                                                      \n" "

                                                                      Read more about metadata standards: UK Digital Curation Centre's D" "isciplinary Metadata

                                                                      " @@ -14447,16 +9020,14 @@ msgid "" "eu/Training/Training-Resources/Library/Data-Management-Expert-Guide/4.-Store/S" "torage\">overview of data storage solutions and" " media types at the Consortium of E" -"uropean Social Science Data Archives.

                                                                      -\n" +"uropean Social Science Data Archives.

                                                                      \n" "

                                                                      For York University researchers, UIT provid" "es server data storage with on-campus and off-campus backup options. It i" "s important that a conversation is had with UIT prior to submitting your grant" " as there may be costs associated with data storage that will need to be repre" -"sented in your budget.

                                                                      -\n" +"sented in your budget.

                                                                      \n" "

                                                                      Canadian researchers could also consider st" "orage and cloud resources available through the Check out

                                                                      -\n" -"
                                                                        -\n" +"

                                                                        Check out

                                                                        \n" +"
                                                                        " msgstr "" msgid "" -"

                                                                        Data Deposit

                                                                        -\n" +"

                                                                        Data Deposit

                                                                        \n" "

                                                                        Check out the Repository Options in Canada: A Portage Guide

                                                                        -\n" +">

                                                                        \n" "

                                                                        Scholars Portal Dataverse is available to York researchers and can serve preservation needs" " where single file size is less than 3 GB. Researchers interested in depositin" "g large file size data sets are invited to discuss their options by consulting" -" the RDM library services at yul_rdm@yorku.ca.

                                                                        -\n" +" the RDM library services at yul_rdm@yorku.ca.

                                                                        \n" "

                                                                        York University Libraries is a formal spons" "or of the Canadian Federated Research Data Repositorydata submission policy<" -"span style=\"font-weight: 400;\">.

                                                                        -\n" +"span style=\"font-weight: 400;\">.

                                                                        \n" "

                                                                        Larger projects will need to contact UIT" " to discuss the ongoing cost of lon" "g-term preservation. It is prudent that these costs be written into the grant " -"budget.

                                                                        -\n" +"budget.

                                                                        \n" "

                                                                        For other data deposit options, including d" "iscipline specific repositories, see the re3data.org directory. 

                                                                        -\n" +"ight: 400;\"> directory. 

                                                                        \n" "

                                                                        Check out the Generalist Reposito" "ry Comparison Chart to learn more a" -"bout different features of selected generalist repositories.

                                                                        -\n" -"

                                                                        Long-term Preservation

                                                                        -\n" +"bout different features of selected generalist repositories.

                                                                        \n" +"

                                                                        Long-term Preservation

                                                                        \n" "

                                                                        It’s possible that the data repositor" "y you've selected provides short- or medium-term data sharing and access but d" -"oes not meet your long-term preservation needs.

                                                                        -\n" +"oes not meet your long-term preservation needs.

                                                                        \n" "

                                                                        Check out the preservation policies of the " "data repositories to see how long the deposited data will be retained and whet" -"her they also provide long term data archiving services.

                                                                        -\n" +"her they also provide long term data archiving services.

                                                                        \n" "

                                                                        Research data files and metadata made avail" "able through the York University Dataverse<" "span style=\"font-weight: 400;\"> will generally be retained to the lifetime of " -"the repository. 

                                                                        -\n" +"the repository. 

                                                                        \n" "

                                                                        Check out the current Data Retention and Deaccession Policy of FRDR. -\n" +"p> \n" "

                                                                        A federated approach to research data prese" -"rvation in Canada is under consideration and development.

                                                                        -\n" +"rvation in Canada is under consideration and development.

                                                                        \n" "

                                                                        If you need assistance locating a suitable " "data repository or archive, please contact York University Libraries at yul_rd" "m@yorku.ca. 

                                                                        " @@ -14570,8 +9123,7 @@ msgid "" " href=\"http://research.info.yorku.ca/research-ethics/\">Office of Research Ethics " "for further details about re-consent previously collected data.  -\n" +"p> \n" "

                                                                        Data uploaded to Scholars Portal " "Dataverse can be restricted to only" @@ -14583,30 +9135,23 @@ msgid "" "cept content that contains confidential or sensitive information without appro" "priate permission. Dataverse can be used to share de-identified and non-confid" "ential data only. Contributors are required to remove, replace, or redact such" -" information from datasets prior to upload.

                                                                        -\n" -"

                                                                        Check out

                                                                        -\n" -" \n" "

                                                                        For help, please contact York University Li" "braries at yul_rdm@yorku.ca. 

                                                                        " msgstr "" @@ -14617,8 +9162,7 @@ msgid "" "he terms of your collective agreement. For graduate students, please review th" "e Faculty of Graduate Studies Guide on Intellectual Propert" -"y.

                                                                        -\n" +"y.

                                                                        \n" "

                                                                        Consult York U Office of Research Services (ORS) " @@ -14653,31 +9197,25 @@ msgid "" msgstr "" msgid "" -"

                                                                        Check out

                                                                        -\n" -"
                                                                          -\n" +"

                                                                          Check out

                                                                          \n" +"
                                                                          " msgstr "" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                          Les organismes subventionnaires demandent de préciser comment les do" "nnées seront recueillies, documentées, formatées, prot&ea" "cute;gées, et conservées;

                                                                          " @@ -14788,63 +9326,63 @@ msgstr "" msgid "No Plans found" msgstr "" -#: ../../app/controllers/application_controller.rb:38 +#: ../../app/controllers/application_controller.rb:39 msgid "You are not authorized to perform this action." msgstr "" -#: ../../app/controllers/application_controller.rb:42 +#: ../../app/controllers/application_controller.rb:43 msgid "You need to sign in or sign up before continuing." msgstr "" -#: ../../app/controllers/application_controller.rb:108 +#: ../../app/controllers/application_controller.rb:109 msgid "Unable to %{action} the %{object}.%{errors}" msgstr "" -#: ../../app/controllers/application_controller.rb:116 +#: ../../app/controllers/application_controller.rb:117 msgid "Successfully %{action} the %{object}." msgstr "" -#: ../../app/controllers/application_controller.rb:131 +#: ../../app/controllers/application_controller.rb:132 msgid "API client" msgstr "" -#: ../../app/controllers/application_controller.rb:132 +#: ../../app/controllers/application_controller.rb:133 msgid "plan" msgstr "" -#: ../../app/controllers/application_controller.rb:133 +#: ../../app/controllers/application_controller.rb:134 msgid "guidance group" msgstr "" -#: ../../app/controllers/application_controller.rb:134 +#: ../../app/controllers/application_controller.rb:135 msgid "comment" msgstr "" -#: ../../app/controllers/application_controller.rb:135 +#: ../../app/controllers/application_controller.rb:136 msgid "organisation" msgstr "" -#: ../../app/controllers/application_controller.rb:136 +#: ../../app/controllers/application_controller.rb:137 msgid "permission" msgstr "" -#: ../../app/controllers/application_controller.rb:137 +#: ../../app/controllers/application_controller.rb:138 msgid "preferences" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "profile" msgstr "" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "user" msgstr "" -#: ../../app/controllers/application_controller.rb:139 +#: ../../app/controllers/application_controller.rb:140 msgid "question option" msgstr "" -#: ../../app/controllers/application_controller.rb:184 +#: ../../app/controllers/application_controller.rb:185 msgid "Record Not Found" msgstr "" @@ -15157,7 +9695,7 @@ msgstr "" #: ../../app/helpers/plans_helper.rb:22 ../../app/helpers/plans_helper.rb:52 #: ../../app/helpers/settings_template_helper.rb:15 #: ../../app/views/devise/registrations/_password_confirmation.html.erb:22 -#: ../../app/views/orgs/_profile_form.html.erb:154 +#: ../../app/views/orgs/_profile_form.html.erb:152 #: ../../app/views/paginable/orgs/_index.html.erb:5 #: ../../app/views/paginable/plans/_org_admin.html.erb:20 #: ../../app/views/paginable/plans/_org_admin_other_user.html.erb:7 @@ -15868,12 +10406,12 @@ msgid "Plan Description" msgstr "" #: ../../app/helpers/settings_template_helper.rb:14 -#: ../../app/views/orgs/_profile_form.html.erb:142 +#: ../../app/views/orgs/_profile_form.html.erb:140 #: ../../app/views/paginable/templates/_customisable.html.erb:7 #: ../../app/views/paginable/templates/_organisational.html.erb:12 #: ../../app/views/plans/_project_details.html.erb:156 #: ../../app/views/plans/_show_details.html.erb:12 -#: ../../app/views/plans/new.html.erb:87 +#: ../../app/views/plans/new.html.erb:88 msgid "Funder" msgstr "" @@ -15899,7 +10437,7 @@ msgstr "" #: ../../app/helpers/template_helper.rb:46 #: ../../app/views/plans/index.html.erb:29 -#: ../../app/views/plans/new.html.erb:125 +#: ../../app/views/plans/new.html.erb:126 #: ../../app/views/shared/_create_plan_modal.html.erb:5 msgid "Create plan" msgstr "" @@ -16034,13 +10572,13 @@ msgid "%{grant_number}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -#: ../../app/views/shared/export/_plan_coversheet.erb:26 -#: ../../app/views/shared/export/_plan_txt.erb:15 -msgid "Project abstract: " +msgid "%{description}" msgstr "" #: ../../app/models/concerns/exportable_plan.rb:145 -msgid "%{description}" +#: ../../app/views/shared/export/_plan_coversheet.erb:26 +#: ../../app/views/shared/export/_plan_txt.erb:15 +msgid "Project abstract: " msgstr "" #: ../../app/models/concerns/exportable_plan.rb:148 @@ -16115,14 +10653,14 @@ msgstr "" msgid "Selected option(s)" msgstr "" -#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 -msgid "Answered by" -msgstr "" - #: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:118 msgid "Answered at" msgstr "" +#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 +msgid "Answered by" +msgstr "" + #: ../../app/models/exported_plan.rb:162 msgid "Details" msgstr "" @@ -16320,10 +10858,7 @@ msgid "Plans" msgstr "" #: ../../app/models/user/at_csv.rb:8 -#: ../../app/views/paginable/notifications/_index.html.erb:8 -#: ../../app/views/paginable/users/_index.html.erb:28 -#: ../../app/views/super_admin/notifications/_form.html.erb:34 -msgid "Active" +msgid "Department" msgstr "" #: ../../app/models/user/at_csv.rb:8 @@ -16332,7 +10867,10 @@ msgid "Current Privileges" msgstr "" #: ../../app/models/user/at_csv.rb:8 -msgid "Department" +#: ../../app/views/paginable/notifications/_index.html.erb:8 +#: ../../app/views/paginable/users/_index.html.erb:28 +#: ../../app/views/super_admin/notifications/_form.html.erb:34 +msgid "Active" msgstr "" #: ../../app/policies/api/v0/departments_policy.rb:12 @@ -16530,7 +11068,7 @@ msgstr "" #: ../../app/views/org_admin/templates/_form.html.erb:85 #: ../../app/views/org_admin/users/edit.html.erb:54 #: ../../app/views/orgs/_feedback_form.html.erb:38 -#: ../../app/views/orgs/_profile_form.html.erb:190 +#: ../../app/views/orgs/_profile_form.html.erb:188 #: ../../app/views/plans/_edit_details.html.erb:11 #: ../../app/views/plans/_guidance_selection.html.erb:23 #: ../../app/views/questions/_preview_question.html.erb:111 @@ -16706,7 +11244,7 @@ msgstr "" #: ../../app/views/org_admin/questions/_form.html.erb:105 #: ../../app/views/org_admin/questions/_form.html.erb:107 #: ../../app/views/plans/_guidance_selection.html.erb:35 -#: ../../app/views/plans/new.html.erb:126 +#: ../../app/views/plans/new.html.erb:127 #: ../../app/views/super_admin/api_clients/_form.html.erb:86 #: ../../app/views/super_admin/notifications/_form.html.erb:73 #: ../../app/views/super_admin/themes/_form.html.erb:19 @@ -16782,7 +11320,7 @@ msgstr "" #: ../../app/views/devise/invitations/edit.html.erb:40 #: ../../app/views/devise/registrations/new.html.erb:43 #: ../../app/views/devise/registrations/new.html.erb:58 -#: ../../app/views/shared/_access_controls.html.erb:11 +#: ../../app/views/shared/_access_controls.html.erb:12 #: ../../app/views/shared/_create_account_form.html.erb:53 msgid "Create account" msgstr "" @@ -17017,7 +11555,7 @@ msgid "" msgstr "" #: ../../app/views/devise/registrations/_password_confirmation.html.erb:11 -#: ../../app/views/devise/registrations/edit.html.erb:17 +#: ../../app/views/devise/registrations/edit.html.erb:18 #: ../../app/views/shared/_create_account_form.html.erb:27 #: ../../app/views/shared/_sign_in_form.html.erb:7 msgid "Password" @@ -17096,11 +11634,11 @@ msgstr "" msgid "Personal Details" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:22 +#: ../../app/views/devise/registrations/edit.html.erb:24 msgid "API Access" msgstr "" -#: ../../app/views/devise/registrations/edit.html.erb:27 +#: ../../app/views/devise/registrations/edit.html.erb:29 msgid "Notification Preferences" msgstr "" @@ -17116,7 +11654,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:69 #: ../../app/views/layouts/_signin_signout.html.erb:41 #: ../../app/views/shared/_access_controls.html.erb:5 -#: ../../app/views/shared/_sign_in_form.html.erb:19 +#: ../../app/views/shared/_sign_in_form.html.erb:21 msgid "Sign in" msgstr "" @@ -17534,7 +12072,7 @@ msgstr "" #: ../../app/views/layouts/_header_navigation_delete.html.erb:13 #: ../../app/views/layouts/_navigation.html.erb:12 -#: ../../app/views/orgs/_profile_form.html.erb:58 +#: ../../app/views/orgs/_profile_form.html.erb:56 msgid "logo" msgstr "" @@ -17626,11 +12164,11 @@ msgid "%{application_name}" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Error:" +msgid "Notice:" msgstr "" #: ../../app/views/layouts/application.html.erb:105 -msgid "Notice:" +msgid "Error:" msgstr "" #: ../../app/views/layouts/application.html.erb:115 @@ -18001,11 +12539,11 @@ msgid "Feedback requested" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Notify the plan owner that I have finished providing feedback" +msgid "Complete" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Complete" +msgid "Notify the plan owner that I have finished providing feedback" msgstr "" #: ../../app/views/org_admin/plans/index.html.erb:39 @@ -18019,8 +12557,8 @@ msgid "Order" msgstr "" #: ../../app/views/org_admin/question_options/_option_fields.html.erb:6 -#: ../../app/views/orgs/_profile_form.html.erb:134 -#: ../../app/views/orgs/_profile_form.html.erb:163 +#: ../../app/views/orgs/_profile_form.html.erb:132 +#: ../../app/views/orgs/_profile_form.html.erb:161 #: ../../app/views/paginable/guidances/_index.html.erb:6 #: ../../app/views/shared/_links.html.erb:13 msgid "Text" @@ -18331,11 +12869,11 @@ msgid "New Template" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template History" +msgid "Template Customisation History" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:4 -msgid "Template Customisation History" +msgid "Template History" msgstr "" #: ../../app/views/org_admin/templates/history.html.erb:10 @@ -18487,78 +13025,78 @@ msgid "" "ort_email} if you have questions or to request changes." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:24 +#: ../../app/views/orgs/_profile_form.html.erb:22 msgid "Organisation full name" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:30 +#: ../../app/views/orgs/_profile_form.html.erb:28 msgid "Organisation abbreviated name" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:41 +#: ../../app/views/orgs/_profile_form.html.erb:39 msgid "" "A managed Org is one that can have its own Guidance and/or Templates. An unman" "aged Org is one that was automatically created by the system when a user enter" "ed/selected it." msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:42 +#: ../../app/views/orgs/_profile_form.html.erb:40 msgid "Managed? (allows Org Admins to access the Admin menu)" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:54 +#: ../../app/views/orgs/_profile_form.html.erb:52 msgid "Organization logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:62 +#: ../../app/views/orgs/_profile_form.html.erb:60 msgid "This will remove your organisation's logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:63 +#: ../../app/views/orgs/_profile_form.html.erb:61 msgid "Remove logo" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:65 +#: ../../app/views/orgs/_profile_form.html.erb:63 #: ../../app/views/orgs/shibboleth_ds.html.erb:34 -#: ../../app/views/plans/new.html.erb:64 ../../app/views/plans/new.html.erb:94 -#: ../../app/views/shared/_sign_in_form.html.erb:23 +#: ../../app/views/plans/new.html.erb:65 ../../app/views/plans/new.html.erb:95 +#: ../../app/views/shared/_sign_in_form.html.erb:25 msgid "or" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:82 +#: ../../app/views/orgs/_profile_form.html.erb:80 msgid "Organisation URLs" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:94 +#: ../../app/views/orgs/_profile_form.html.erb:92 msgid "Administrator contact" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:99 +#: ../../app/views/orgs/_profile_form.html.erb:97 msgid "Contact email" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:103 +#: ../../app/views/orgs/_profile_form.html.erb:101 #: ../../app/views/shared/_links.html.erb:35 msgid "Link text" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:114 +#: ../../app/views/orgs/_profile_form.html.erb:112 msgid "Google Analytics Tracker" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:120 +#: ../../app/views/orgs/_profile_form.html.erb:118 msgid "Tracker Code" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:133 +#: ../../app/views/orgs/_profile_form.html.erb:131 msgid "Organisation Types" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:148 +#: ../../app/views/orgs/_profile_form.html.erb:146 msgid "Institution" msgstr "" -#: ../../app/views/orgs/_profile_form.html.erb:162 +#: ../../app/views/orgs/_profile_form.html.erb:160 msgid "Organisation type(s)" msgstr "" @@ -18924,11 +13462,11 @@ msgid "Create a new plan" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "(if available)" +msgid "Sample Plans" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:13 -msgid "Sample Plans" +msgid "(if available)" msgstr "" #: ../../app/views/paginable/templates/_publicly_visible.html.erb:47 @@ -19383,33 +13921,33 @@ msgstr "" msgid "What research project are you planning?" msgstr "" -#: ../../app/views/plans/new.html.erb:47 +#: ../../app/views/plans/new.html.erb:48 msgid "Indicate the primary research organisation" msgstr "" -#: ../../app/views/plans/new.html.erb:67 +#: ../../app/views/plans/new.html.erb:68 msgid "" "No research organisation associated with this plan or my research organisation" " is not listed" msgstr "" -#: ../../app/views/plans/new.html.erb:78 +#: ../../app/views/plans/new.html.erb:79 msgid "Select the primary funding organisation" msgstr "" -#: ../../app/views/plans/new.html.erb:97 +#: ../../app/views/plans/new.html.erb:98 msgid "No funder associated with this plan or my funder is not listed" msgstr "" -#: ../../app/views/plans/new.html.erb:110 +#: ../../app/views/plans/new.html.erb:111 msgid "Which DMP template would you like to use?" msgstr "" -#: ../../app/views/plans/new.html.erb:113 +#: ../../app/views/plans/new.html.erb:114 msgid "Please select a template" msgstr "" -#: ../../app/views/plans/new.html.erb:118 +#: ../../app/views/plans/new.html.erb:119 msgid "" "We found multiple DMP templates corresponding to your primary research organis" "ation" @@ -19499,15 +14037,15 @@ msgstr "" msgid "Search" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:11 +#: ../../app/views/shared/_sign_in_form.html.erb:12 msgid "Forgot password?" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:16 +#: ../../app/views/shared/_sign_in_form.html.erb:18 msgid "Remember email" msgstr "" -#: ../../app/views/shared/_sign_in_form.html.erb:27 +#: ../../app/views/shared/_sign_in_form.html.erb:29 msgid "Sign in with your institutional credentials" msgstr "" @@ -19652,27 +14190,23 @@ msgid "If you have an account please sign in and start creating or editing your msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "Sign up" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -<<<<<<< HEAD -msgid "If you do not have a %{application_name} account, click on" -======= -msgid "Sign up" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid "on the homepage." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "If you do not have a %{application_name} account, click on" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "page for guidance." +msgid "Please visit the" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "Please visit the" +msgid "page for guidance." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:43 @@ -19991,11 +14525,11 @@ msgid "New API Client" msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Unable to regenerate the client credentials." +msgid "Successfully regenerated the client credentials." msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Successfully regenerated the client credentials." +msgid "Unable to regenerate the client credentials." msgstr "" #: ../../app/views/super_admin/notifications/_form.html.erb:20 @@ -20635,6 +15169,10 @@ msgid "" " plan." msgstr "" +#: ../../app/views/user_mailer/feedback_notification.html.erb:15 +msgid "Alternatively, you can click the link below:" +msgstr "" + #: ../../app/views/user_mailer/new_comment.html.erb:5 msgid "" "%{commenter_name} has commented on your plan %{plan_title}. To view the commen" @@ -20709,37 +15247,24 @@ msgid "Hello %{recipient_name}," msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD -msgid " to " -======= -msgid " in a plan called " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " is creating a Data Management Plan and has answered " +msgid " based on the template " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD msgid " is creating a Data Management Plan and has answered " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " in a plan called " -======= msgid " to " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " based on the template " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid " in a plan called " msgstr "" #: ../../app/views/user_mailer/sharing_notification.html.erb:5 msgid "" -"Your colleague %{inviter_name} has invited you to contribute to -\n" +"Your colleague %{inviter_name} has invited you to contribute to \n" " their Data Management Plan in %{tool_name}" msgstr "" diff --git a/config/locale/fr_CA/LC_MESSAGES/app.mo b/config/locale/fr_CA/LC_MESSAGES/app.mo index 476d6db19d..177b982c2b 100644 Binary files a/config/locale/fr_CA/LC_MESSAGES/app.mo and b/config/locale/fr_CA/LC_MESSAGES/app.mo differ diff --git a/config/locale/fr_CA/app.po b/config/locale/fr_CA/app.po index ed1e28c2cf..9a335ab13d 100644 --- a/config/locale/fr_CA/app.po +++ b/config/locale/fr_CA/app.po @@ -7,8 +7,8 @@ msgid "" msgstr "" "Project-Id-Version: integration 1.0\n" "Report-Msgid-Bugs-To: contact@translation.io\n" -"POT-Creation-Date: 2022-04-01 11:53-0400\n" -"PO-Revision-Date: 2022-04-01 17:54+0200\n" +"POT-Creation-Date: 2022-05-05 12:50-0400\n" +"PO-Revision-Date: 2022-05-05 18:51+0200\n" "Last-Translator: FULL NAME \n" "Language-Team: French\n" "Language: fr_CA\n" @@ -267,8 +267,7 @@ msgid "" " history and in the larger field of humanities. It was designed to take into a" "ccount the fact that research projects in these disciplines still primarily us" "e analog research data during the active phases of a project. 

                                                                          " -" -\n" +" \n" "

                                                                          Two versions of the model are proposed: gui" "dance labelled “Phase 1” is for the documentation of DMP sections " "joined with a funding application. The headings documented in Phase 1 are" @@ -312,8 +311,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

                                                                          -\n" +"ect.

                                                                          \n" "

                                                                          This template is for researchers who are do" "ing RDC work using Statistics Canada data and research data that they" @@ -325,8 +323,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

                                                                          -\n" +"RDC analyst.

                                                                          \n" "

                                                                          If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

                                                                          " @@ -383,13 +380,11 @@ msgid "" "

                                                                          This template provides general guidance for" " those who are undertaking systematic reviews. It is suggested that different " "team members contribute to the DMP based on the stage of the review process in" -" which they will be involved in creating data.

                                                                          -\n" +" which they will be involved in creating data.

                                                                          \n" "

                                                                          For additional guidance and examples, pleas" "e see the online research guide located at https://library.ucalgary.ca" -"/dmpforsr.

                                                                          -\n" +"/dmpforsr.

                                                                          \n" "

                                                                          The PRISMA-P f" "or systematic review protocols is a" @@ -404,14 +399,12 @@ msgstr "" "matiques. Les divers membres de l’équipe devraient contribuer &ag" "rave; la planification de la gestion des données (PGD) en fonction de l" "’étape du processus à laquelle ils participent pour cr&eac" -"ute;er les données.

                                                                          -\n" +"ute;er les données.

                                                                          \n" "

                                                                          Pour obtenir d’autres directives et d" "es exemples, veuillez consulter le guide de recherche en ligne à l&rsqu" "o;adresse https://library.ucalgary.ca/dmpforsr (lien en" -" anglais).

                                                                          -\n" +" anglais).

                                                                          \n" "

                                                                          Le PRISMA-P pour les protocoles de revue systé" "matique (lien en anglais)&" @@ -443,8 +436,7 @@ msgid "" "onal partnership and who have already completed a funding application and an e" "thics review protocol.  The DMP is a living document: don’t forget to revisit your DMP throughout the rese" -"arch project to update or review your responses.

                                                                          -\n" +"arch project to update or review your responses.

                                                                          \n" "

                                                                          Not all of these questions will apply to al" "l research projects. We encourage you to respond to as many as possible but ul" "timately, you and your team have to decide which questions and answers apply t" @@ -462,8 +454,7 @@ msgstr "" "ute;jà rempli une demande de financement et un protocole d’examen" " déontologique. Le PGD est un document évolutif : n’oublie" "z pas de revoir votre PGD tout au long du projet de recherche pour mettre &agr" -"ave; jour ou réviser vos réponses.

                                                                          -\n" +"ave; jour ou réviser vos réponses.

                                                                          \n" "

                                                                          Les questions ne sont pas forcément " "pertinentes pour tous les projets de recherche. Nous vous encourageons à" "; répondre au plus grand nombre de questions possible, mais c’est" @@ -476,8 +467,7 @@ msgid "" ") template is designed to be completed in two phases: Phase 1 questions probe " "at a high-level, seeking information about the general direction of the study." " Normally, researchers will be able to respond to phase 1 questions at the out" -"set of a project.  

                                                                          -\n" +"set of a project.  

                                                                          \n" "

                                                                          Phase 2 questions seek greater detail. It i" "s understood that these answers will often depend on the outcome of several st" "eps in the research project, such as: a literature review, imaging protocol de" @@ -492,8 +482,7 @@ msgstr "" " questions générales afin d’obtenir des informations sur l" "’orientation générale de l’étude. Normalement" ", les chercheurs pourront répondre aux questions de la phase 1 d&e" -"grave;s le début d’un projet.  

                                                                          -\n" +"grave;s le début d’un projet.  

                                                                          \n" "

                                                                          Les questions de la phase 2 visent &ag" "rave; obtenir plus de détails. Naturellement, ces réponses d&eac" "ute;pendent souvent des résultats des diverses étapes du projet " @@ -521,8 +510,7 @@ msgid "" "le=\"font-weight: 400;\">Federated Research Data Repository (FRDR) containing metadata, syntax (code that produces " "a statistical output), and any other supporting material for the research proj" -"ect.

                                                                          -\n" +"ect.

                                                                          \n" "

                                                                          This template is for researchers who are do" "ing RDC work using Statistics Canada data available in the RDC only (" @@ -562,7 +550,6 @@ msgstr "" msgid "

                                                                          This is the generic DMP template for Portage.

                                                                          " msgstr "

                                                                          Il s'agit du modèle générique de PGD pour Portage.

                                                                          " -<<<<<<< HEAD msgid "Portage Data Management Questions" msgstr "Questions du modèle Portage" @@ -593,38 +580,6 @@ msgstr "Plan de gestion des données" msgid "Phase 2: Active Research (Data) Management" msgstr "Phase 2 : Gestion active de recherche (données)" -======= - -msgid "Portage Data Management Questions" -msgstr "Questions du modèle Portage" - -msgid "Software/Technology Management Plan" -msgstr "Plan de gestion de logiciel ou de technologie" - -msgid "Phase 1: Data Preparation" -msgstr "Phase 1 : Préparation des données" - -msgid "Phase 1: Data Management Plan for Grant Application" -msgstr "Phase 1: Plan de gestion de données soutenant une demande de subvention" - -msgid "CRDCN Template for Research Data Centres and External Analysis" -msgstr "" -"Modèle du RCCDR pour les centres de données de recherche et les analyses exter" -"nes" - -msgid "Phase 1" -msgstr "Phase 1" - -msgid "CRDCN Template for Accessing Data from Research Data Centres" -msgstr "Modèle du RCCDR pour l'accès aux données des centres de données de recherche" - -msgid "Data Management Plan" -msgstr "Plan de gestion des données" - -msgid "Phase 2: Active Research (Data) Management" -msgstr "Phase 2 : Gestion active de recherche (données)" - ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Phase 2: Data Management Plan for Project Development" msgstr "Phase 2 : Plan de gestion de données soutenant l’élaboration du projet" @@ -713,8 +668,7 @@ msgid "" " alongside the rest of their project material subject to the information manag" "ement protocols from Statistics Canada. This is a free, relatively straightfor" "ward, process and researchers can obtain more information by talking to their " -"RDC analyst.

                                                                          -\n" +"RDC analyst.

                                                                          \n" "

                                                                          If your work is being conducted in the RDC " "using only data provided through the RDC program then the RDC-only template sh" "ould be completed and not this template. 

                                                                          " @@ -758,23 +712,6 @@ msgid "" "DC in concert with other data that you either intend to bring into the RDC or " "work on outside the RDC in parallel to your RDC work, then the RDC and Externa" "l Analysis template should be completed. 

                                                                          " -<<<<<<< HEAD -======= -msgstr "" -"

                                                                          Ce modèle s’adresse aux cherch" -"eurs qui effectuent des travaux dans des CDR en utilisant les données d" -"es CDR de Statistique Canada unique" -"ment (c’est-à-dire qu" -"’il n’y a pas de données supplémentaires, de statist" -"iques à usage public, ou d’autres informations qui complèt" -"ent le travail). Si votre travail est effectué dans le CDR en mêm" -"e temps que d’autres données que vous avez l’intention d&rs" -"quo;introduire dans le CDR ou de travailler en dehors du CDR parallèlem" -"ent à votre travail dans le CDR, utilisez plutôt le modèle" -" de CDR et d’analyse externe. 

                                                                          " - -msgid "

                                                                          test

                                                                          " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgstr "" "

                                                                          Ce modèle s’adresse aux cherch" "eurs qui effectuent des travaux dans des CDR en utilisant les données d" @@ -826,25 +763,24 @@ msgstr "" "s détails sont connus, le PGD peut être révisé au besoin. Ainsi, un PGD est un" " document vivant qui évolue tout au long d’un projet de recherche." -msgid "Data Production" -msgstr "Production de données" -<<<<<<< HEAD +msgid "sec2" +msgstr "" -msgid "Sharing and Preserving" -msgstr "Partage et préservation" +msgid "section2" +msgstr "" -msgid "Software/Technology Development" -msgstr "Création de logiciel ou de technologie" -======= +msgid "Data Production" +msgstr "Production de données" msgid "Sharing and Preserving" msgstr "Partage et préservation" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Research Data Management Policies" msgstr "Politiques en matière de gestion des données de recherche" -<<<<<<< HEAD +msgid "Software/Technology Development" +msgstr "Création de logiciel ou de technologie" + msgid "Data Analysis" msgstr "Analyse des données" @@ -852,13 +788,6 @@ msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" msgstr "" "Installations et autres ressources liées à l'informatique de recherche avancée" " (ARC)\n" -======= -msgid "Software/Technology Development" -msgstr "Création de logiciel ou de technologie" - -msgid "Data Analysis" -msgstr "Analyse des données" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Software/Technology Documentation" msgstr "Documentation sur les logiciels et les technologies" @@ -866,39 +795,17 @@ msgstr "Documentation sur les logiciels et les technologies" msgid "Metadata" msgstr "Métadonnées" -<<<<<<< HEAD -msgid "File Management" -msgstr "Gestion des fichiers" - -msgid "Ensure Portability and Reproducibility of Results" -msgstr "Assurer la portabilité et la reproductibilité des résultats" - -msgid "Software/Technology Preservation" -msgstr "Préservation des logiciels ou des technologies" - msgid "Storage, Backup, and Access" msgstr "Stockage, sauvegarde, et accès" -msgid "Sharing and Archiving" -msgstr "Partage et archivage" -======= -msgid "Advanced Research Computing (ARC)-Related Facilities and Other Resources" -msgstr "" -"Installations et autres ressources liées à l'informatique de recherche avancée" -" (ARC)\n" - msgid "Software/Technology Preservation" msgstr "Préservation des logiciels ou des technologies" -msgid "Storage, Backup, and Access" -msgstr "Stockage, sauvegarde, et accès" - msgid "Ensure Portability and Reproducibility of Results" msgstr "Assurer la portabilité et la reproductibilité des résultats" msgid "File Management" msgstr "Gestion des fichiers" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Software/Technology Ethical and Legal Restrictions" msgstr "Restrictions éthiques et juridiques des logiciels ou technologies" @@ -906,13 +813,8 @@ msgstr "Restrictions éthiques et juridiques des logiciels ou technologies" msgid "Storage, Access, and Backup" msgstr "Stockage, accès et sauvegarde" -<<<<<<< HEAD -msgid "Sharing, Reuse, and Preservation" -msgstr "Partage, réutilisation et préservation" -======= msgid "Sharing and Archiving" msgstr "Partage et archivage" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "Software/Technology Responsible Parties" msgstr "Parties responsables des logiciels et de la technologie" @@ -920,21 +822,18 @@ msgstr "Parties responsables des logiciels et de la technologie" msgid "Ethics and Intellectual Property" msgstr "Éthique et propriété intellectuelle" -<<<<<<< HEAD -======= msgid "Sharing, Reuse, and Preservation" msgstr "Partage, réutilisation et préservation" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid "Software/Technology Sharing" +msgstr "Partage du logiciel ou de la technologie" + msgid "Ethical and Legal Compliance" msgstr "Conformité éthique et juridique" msgid "Roles and Responsibilities" msgstr "Rôles et responsabilités" -msgid "Software/Technology Sharing" -msgstr "Partage du logiciel ou de la technologie" - msgid "Responsibilities and Resources " msgstr "" @@ -944,20 +843,21 @@ msgstr "Partage, réutilisation et préservation" msgid "Data Sharing" msgstr "Partage de données" +msgid "test customization section" +msgstr "" + msgid "" "

                                                                          All research conducted in the Research Data" " Centres (hereafter RDC), using Statistics Canada data exclusively, is seconda" "ry in nature. There is no data collection involved in this project. These data" " are owned and maintained by Statistics Canada with storage and access provide" -"d by the Canadian Research Data Centres Network.

                                                                          -\n" +"d by the Canadian Research Data Centres Network.

                                                                          \n" "

                                                                          Raw data in the RDC are stored in multiple " "formats including but not limited to .SAS (SAS), .dta (STATA), and .shp (shape" "files) as appropriate. The availability of StatTransfer™ software within" " the RDCs and continued management by Statistics Canada will ensure that the d" "ata will be accessible indefinitely should the file formats currently in use b" -"ecome obsolete. 

                                                                          -\n" +"ecome obsolete. 

                                                                          \n" "

                                                                          The data provided by Statistics Canada are " "assigned unique identifiers which can be used to identify the data in any rese" "arch output. 

                                                                          " @@ -969,16 +869,14 @@ msgstr "" ";es appartiennent à Statistique Canada qui est aussi responsable de leu" "r maintien ; le stockage de ces données et l’accès " "à celles-ci sont offerts par le Réseau canadien des Centres de d" -"onnées de recherche.

                                                                          -\n" +"onnées de recherche.

                                                                          \n" "

                                                                          Les données brutes dans le CDR sont " "stockées dans de multiples formats, notamment : .SAS (SAS), .dta (" "STATA), et .shp (fichiers de forme) selon le cas. La disponibilité du l" "ogiciel StatTransfer™ dans les CDR et la gestion continue par Statistiqu" "e Canada garantiront que les données seront accessibles indéfini" "ment si les formats de fichiers actuellement utilisés deviennent obsol&" -"egrave;tes. 

                                                                          -\n" +"egrave;tes. 

                                                                          \n" "

                                                                          Les données fournies par Statistique" " Canada sont dotées d’identifiants uniques qui peuvent être" " utilisés pour identifier les données dans tous les produits de " @@ -989,8 +887,7 @@ msgid "" " Centres (hereafter RDC) is secondary in nature. There is no data collection i" "nvolved in this portion of the project. These data are owned and maintained by" " Statistics Canada with storage and access provided by the Canadian Research D" -"ata Centres Network.

                                                                          -\n" +"ata Centres Network.

                                                                          \n" "

                                                                          Raw data in the RDC are stored in multiple " "formats including, but not limited to: .SAS (SAS), .dta (STATA), and .shp (sha" "pefiles) as appropriate. The availability of StatTransfer™ software with" @@ -1019,64 +916,12 @@ msgstr "" " données sont stockées avec tous les autres produits de recherch" "e du CDR liés à ce contrat et elles sont archivées.

                                                                          " -msgid "" -"

                                                                          Describe the components that will be requir" -"ed to develop the software/technology in question.

                                                                          " -<<<<<<< HEAD -msgstr "" -"

                                                                          Décrivez les éléments " -"qui seront nécessaires pour développer le logiciel ou la technol" -"ogie en question.

                                                                          " - -msgid "" -"

                                                                          Outline the processes and procedures you wi" -"ll follow during the data collection process of your study.

                                                                          " -msgstr "" -"

                                                                          Décrivez les procédures que v" -"ous suivrez pendant le processus de collecte des données de votre &eacu" -"te;tude.

                                                                          " - -msgid "" -"

                                                                          Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

                                                                          " -msgstr "" -"

                                                                          Décrivez les étapes, le mat&e" -"acute;riel et les méthodes que vous utiliserez pendant la phase d&rsquo" -";analyse des données de votre étude.

                                                                          " - -msgid "" -"

                                                                          Outline the steps, materials, and methods t" -"hat you will use to document how you will analyze the data collected in your s" -"tudy.

                                                                          " -msgstr "" -"

                                                                          Décrivez les étapes, le mat&e" -"acute;riel et les méthodes que vous utiliserez pour documenter la fa&cc" -"edil;on dont vous analyserez les données recueillies dans votre é" -";tude.

                                                                          " - -msgid "" -"

                                                                          Documentation provided by Statistics Canada in the RDC is available to any " -"data-users. This documentation is freely available to those with approved proj" -"ects, and contains information about the sample selection process, a copy of t" -"he questionnaire, and a codebook.

                                                                          " +msgid "

                                                                          test

                                                                          " msgstr "" -"

                                                                          La documentation fournie par Statistique Canada dans le CDR sera mise &agra" -"ve; la disposition de tous les utilisateurs de ces données. Cette docum" -"entation est rendue disponible gratuitement aux chercheurs dont les projets on" -"t été approuvés, et contient des informations sur le proc" -"essus de sélection de l’échantillon, une copie du question" -"naire et un guide de codification.

                                                                          " msgid "" -"

                                                                          Provide an outline of the documentation and" -" information that would be required for someone else to understand and reuse y" -"our software/technology.

                                                                          " -msgstr "" -"

                                                                          Donnez un aperçu de la documentation" -" et de l’information nécessaire pour qu’une autre personne " -"puisse comprendre et réutiliser votre logiciel ou technologie." -======= +"

                                                                          Describe the components that will be requir" +"ed to develop the software/technology in question.

                                                                          " msgstr "" "

                                                                          Décrivez les éléments " "qui seront nécessaires pour développer le logiciel ou la technol" @@ -1090,14 +935,6 @@ msgstr "" "ous suivrez pendant le processus de collecte des données de votre &eacu" "te;tude.

                                                                          " -msgid "" -"

                                                                          Outline the steps, materials, and methods t" -"hat you will use during the data analysis phase of your study.

                                                                          " -msgstr "" -"

                                                                          Décrivez les étapes, le mat&e" -"acute;riel et les méthodes que vous utiliserez pendant la phase d&rsquo" -";analyse des données de votre étude.

                                                                          " - msgid "" "

                                                                          Outline the steps, materials, and methods t" "hat you will use to document how you will analyze the data collected in your s" @@ -1120,7 +957,6 @@ msgstr "" "t été approuvés, et contient des informations sur le proc" "essus de sélection de l’échantillon, une copie du question" "naire et un guide de codification.

                                                                          " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "" "Because data are rarely self-explanatory, all research data should be accompan" @@ -1145,8 +981,6 @@ msgstr "" "nées." msgid "" -<<<<<<< HEAD -======= "

                                                                          Provide an outline of the documentation and" " information that would be required for someone else to understand and reuse y" "our software/technology.

                                                                          " @@ -1157,7 +991,14 @@ msgstr "" "p>" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"

                                                                          Outline the steps, materials, and methods t" +"hat you will use during the data analysis phase of your study.

                                                                          " +msgstr "" +"

                                                                          Décrivez les étapes, le mat&e" +"acute;riel et les méthodes que vous utiliserez pendant la phase d&rsquo" +";analyse des données de votre étude.

                                                                          " + +msgid "" "

                                                                          Documentation provided by Statistics Canada" " in the RDC will be available to any potential future users of these data. Thi" "s documentation is freely available to those with approved projects, and conta" @@ -1181,6 +1022,15 @@ msgstr "" "eure façon de le faire dépend de la nature des données ex" "ternes.

                                                                          " +msgid "" +"

                                                                          This section will focus on including inform" +"ation that would be required for someone else to interpret and re-use your dat" +"a.

                                                                          " +msgstr "" +"

                                                                          Fournissez l’information néces" +"saire à une autre personne pour interpréter et réutiliser" +" vos données.

                                                                          " + msgid "" "

                                                                          This section is designed for you to provide" " information about your data, so that others will be able to better understand" @@ -1193,45 +1043,6 @@ msgstr "" "yse secondaire.

                                                                          " msgid "" -<<<<<<< HEAD -"

                                                                          Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -"anything else stored in the project folder) for ten years. Data are backed up " -"on site and accessible through a highly secured network from any of the other " -"RDC locations.

                                                                          " -msgstr "" -"

                                                                          Le stockage des données est géré par le RCCDR en parte" -"nariat avec Statistique Canada sur des serveurs situés dans le ré" -";seau. La politique actuelle du RCCDR est de stocker les données des pr" -"ojets (syntaxe, versions et tout autre élément stocké dan" -"s le dossier du projet) pendant dix ans. Ces données sont sauvegard&eac" -"ute;es sur place et accessibles par un réseau hautement sécuris&" -"eacute; à partir de n’importe quel autre site du RDC.

                                                                          " - -msgid "" -"

                                                                          Describe how your software/technology will " -"be available for the foreseeable future after the study is complete." -msgstr "" -"

                                                                          Décrivez comment votre logiciel ou t" -"echnologie sera disponible dans un avenir prévisible une fois l’&" -"eacute;tude terminée.

                                                                          " - -msgid "" -"

                                                                          This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

                                                                          " -msgstr "" -"

                                                                          Fournissez l’information néces" -"saire à une autre personne pour interpréter et réutiliser" -" vos données.

                                                                          " - -msgid "" -"

                                                                          Data storage is managed by the CRDCN in par" -"tnership with Statistics Canada on Servers located across the network. Th" -"e current policy of the CRDCN is to store project data (syntax, releases, and " -======= "

                                                                          Data storage is managed by the CRDCN in par" "tnership with Statistics Canada on Servers located across the network. Th" "e current policy of the CRDCN is to store project data (syntax, releases, and " @@ -1260,12 +1071,10 @@ msgid "" "

                                                                          Data storage is managed by the CRDCN in par" "tnership with Statistics Canada on Servers located across the network. Th" "e current policy of the CRDCN is to store project data (syntax, releases, and " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "anything else stored in the project folder) for ten years. These data are back" "ed up on site and accessible through a highly secured network from any of the " "other RDC locations. Raw data related to the research project are stored in pe" -"rpetuity by Statistics Canada.

                                                                          -\n" +"rpetuity by Statistics Canada.

                                                                          \n" "

                                                                          For external research data, storage and bac" "kup are solely the responsibility of the researcher. Please consider the follo" "wing questions as they relate to external data. These questions should also be" @@ -1281,8 +1090,7 @@ msgstr "" "e;seau hautement sécurisé à partir de n’importe que" "l autre site du RDC. Les données brutes liées au projet de reche" "rche sont stockées à perpétuité par Statistique Ca" -"nada.

                                                                          -\n" +"nada.

                                                                          \n" "

                                                                          Pour les données de recherche extern" "es, le stockage et la sauvegarde sont sous responsabilité du chercheur " "exclusivement. Veuillez tenir compte des questions suivantes en ce qui concern" @@ -1292,18 +1100,6 @@ msgstr "" "cute;es.

                                                                          " msgid "" -<<<<<<< HEAD -======= -"

                                                                          This section will focus on including inform" -"ation that would be required for someone else to interpret and re-use your dat" -"a.

                                                                          " -msgstr "" -"

                                                                          Fournissez l’information néces" -"saire à une autre personne pour interpréter et réutiliser" -" vos données.

                                                                          " - -msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                          This section will ask you to outline how yo" "u will store and manage your data throughout the research process.

                                                                          " msgstr "" @@ -1353,14 +1149,6 @@ msgstr "" "u légale qui pourrait avoir un impact sur la façon dont vous uti" "lisez ou distribuez votre logiciel ou technologie.

                                                                          " -msgid "" -"

                                                                          Describe and outline how and where your dat" -"a will be stored throughout the research project.

                                                                          " -msgstr "" -"

                                                                          Décrivez et indiquez la métho" -"de et l’endroit pour le stockage des données tout au long du proj" -"et de recherche.

                                                                          " - msgid "" "

                                                                          The work conducted in the RDC for this proj" "ect is kept based on the Contract ID provided by the RDC program which can be " @@ -1400,12 +1188,36 @@ msgstr "" "également être conservées.

                                                                          " msgid "" -<<<<<<< HEAD +"

                                                                          Describe and outline how and where your dat" +"a will be stored throughout the research project.

                                                                          " +msgstr "" +"

                                                                          Décrivez et indiquez la métho" +"de et l’endroit pour le stockage des données tout au long du proj" +"et de recherche.

                                                                          " + +msgid "" +"

                                                                          Describe the steps that will ensure that yo" +"ur data will be available and usable for the foreseeable future after your stu" +"dy is complete.

                                                                          " +msgstr "" +"

                                                                          Décrivez les étapes qui garan" +"tiront que vos données seront disponibles et utilisables dans un avenir" +" prévisible après la fin de votre étude.

                                                                          " + +msgid "" +"

                                                                          Outline who is responsible for the developm" +"ent and monitoring of the software/technology over the course of the study.

                                                                          " +msgstr "" +"

                                                                          Indiquez qui est responsable du déve" +"loppement et du suivi du logiciel ou de la technologie pendant la durée" +" de l’étude.

                                                                          " + +msgid "" "

                                                                          Because the Statistics Canada Microdata fil" "es are collected under assurances of confidentiality and are owned and control" "led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                                                          -\n" +"team. 

                                                                          \n" "

                                                                          Access to the data in the RDCs is governed " "by the CRDCN's Access and Fee-for-service policy in French. The policy provides free access to university-based researchers who are ne" "twork members and provides access to others on a cost-recovery basis. -\n" -"

                                                                          The CRDCN and Statistics Canada promote the" -"ir data holdings through social media and their respective websites. In additi" -"on, CRDCN data are required to be cited in any and all publications with the S" -"tatistics Canada Record Number so that readers are able to find the data. In a" -"ddition, all publications using RDC data should include the RDC contract ID so" -" that potential users can find information on the original contract. This info" -"rmation is available on the CRDCN website (crdcn.org/publications" -").

                                                                          " -msgstr "" -"

                                                                          Étant donné que les fichiers " -"de microdonnées de Statistique Canada sont recueillis avec une garantie" -" de leur confidentialité et qu’ils sont détenus et contr&o" -"circ;lés par Statistique Canada, ils ne peuvent être partag&eacut" -"e;s par aucun membre de l’équipe de recherche. 

                                                                          -\n" -"

                                                                          L’accès aux données dan" -"s les CDR est régi par la politique d’accès et de frais de" -" service du RCCDR en anglais" -" ou en français. Cette politique" -" offre un accès gratuit aux chercheurs universitaires qui sont membres " -"du réseau et donne accès aux autres sur la base du recouvrement " -"des coûts.

                                                                          -\n" -"

                                                                          Le RCCDR et Statistique Canada font la prom" -"otion de leurs fonds de données par le biais des médias sociaux " -"et de leurs sites web respectifs. De plus, les données du RCCDR doivent" -" être citées dans toutes les publications avec le numéro d" -"’enregistrement afin que les lecteurs puissent trouver les donnée" -"s. Par ailleurs, toutes les publications utilisant les données du RCCDR" -" doivent inclure l’identifiant du contrat du RCCDR afin que les utilisat" -"eurs potentiels puissent trouver des informations sur le contrat original. Ces" -" informations sont disponibles sur le site web du RCCDR (crdcn.org/fr/publications).

                                                                          " -======= -"

                                                                          Provide any ethical or legal restrictions t" -"hat may impact how you use and/or distribute your software/technology.<" -"/p>" -msgstr "" -"

                                                                          Indiquez toute restriction éthique o" -"u légale qui pourrait avoir un impact sur la façon dont vous uti" -"lisez ou distribuez votre logiciel ou technologie.

                                                                          " - -msgid "" -"

                                                                          Describe and outline how and where your dat" -"a will be stored throughout the research project.

                                                                          " -msgstr "" -"

                                                                          Décrivez et indiquez la métho" -"de et l’endroit pour le stockage des données tout au long du proj" -"et de recherche.

                                                                          " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f - -msgid "" -"

                                                                          Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                                                          " -msgstr "" -"

                                                                          Décrivez les étapes qui garan" -"tiront que vos données seront disponibles et utilisables dans un avenir" -" prévisible après la fin de votre étude.

                                                                          " - -msgid "" -"

                                                                          Outline who is responsible for the developm" -"ent and monitoring of the software/technology over the course of the study.

                                                                          " -msgstr "" -"

                                                                          Indiquez qui est responsable du déve" -"loppement et du suivi du logiciel ou de la technologie pendant la durée" -" de l’étude.

                                                                          " - -msgid "" -"

                                                                          Because the Statistics Canada Microdata fil" -"es are collected under assurances of confidentiality and are owned and control" -"led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                                                          -\n" -"

                                                                          Access to the data in the RDCs is governed " -"by the CRDCN's Access and Fee-for-service policy in English or <" -"span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" -"twork members and provides access to others on a cost-recovery basis. -\n" +"p> \n" "

                                                                          The CRDCN and Statistics Canada promote the" "ir data holdings through social media and their respective websites. In additi" "on, CRDCN data are required to be cited in any and all publications with the r" @@ -1514,8 +1234,7 @@ msgid "" "cations using RDC data should include the RDC contract ID so that potential us" "ers can find information on the original contract. This information is availab" "le on the CRDCN website (crdcn.org/pu" -"blications).

                                                                          -\n" +"blications).

                                                                          \n" "

                                                                          For your supplemental/external data, please" " answer the following questions aimed to satisfy the FAIR principl" @@ -1525,8 +1244,7 @@ msgstr "" "de microdonnées de Statistique Canada sont recueillis avec une garantie" " de leur confidentialité et qu’ils sont détenus et contr&o" "circ;lés par Statistique Canada, ils ne peuvent être partag&eacut" -"e;s par aucun membre de l’équipe de recherche. 

                                                                          -\n" +"e;s par aucun membre de l’équipe de recherche. 

                                                                          \n" "

                                                                          L’accès aux données dan" "s les CDR est régi par la politique d’accès et de frais de" " service du RCCDR en français. Cette politique" " offre un accès gratuit aux chercheurs universitaires qui sont membres " "du réseau et donne accès aux autres sur la base du recouvrement " -"des coûts.

                                                                          -\n" +"des coûts.

                                                                          \n" "

                                                                          Le RCCDR et Statistique Canada font la prom" "otion de leurs fonds de données par le biais des médias sociaux " "et de leurs sites web respectifs. De plus, les données du RCCDR doivent" @@ -1547,40 +1264,27 @@ msgstr "" " doivent inclure l’identifiant du contrat du RCCDR afin que les utilisat" "eurs potentiels puissent trouver des informations sur le contrat original. Ces" " informations sont disponibles sur le site web du RCCDR (crdcn.org/fr/publications).

                                                                          -\n" +"n.org/fr/publications\">crdcn.org/fr/publications).

                                                                          \n" "

                                                                          Pour vos données supplémentai" "res/externes, veuillez répondre aux questions suivantes afin de satisfa" "ire aux principes FAIR (lien en anglais).

                                                                          " -msgid "" -"

                                                                          Describe the steps that will ensure that yo" -"ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                                                          " -msgstr "" -"

                                                                          Décrivez les étapes qui garan" -"tiront que vos données seront disponibles et utilisables dans un avenir" -" prévisible après la fin de votre étude.

                                                                          " - msgid "" "

                                                                          Because the Statistics Canada Microdata fil" "es are collected under assurances of confidentiality and are owned and control" "led by Statistics Canada, they cannot be shared by any member of the research " -"team. 

                                                                          -\n" +"team. 

                                                                          \n" "

                                                                          Access to the data in the RDCs is governed " "by the CRDCN's Access and Fee-for-service policy in English or >>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "ref=\"https://crdcn.org/sites/default/files/uploads/crdcn_affs_policy_fr.pdf\"><" "span style=\"font-weight: 400;\">French. The policy provides free access to university-based researchers who are ne" "twork members and provides access to others on a cost-recovery basis. -\n" +"p> \n" "

                                                                          The CRDCN and Statistics Canada promote the" "ir data holdings through social media and their respective websites. In additi" "on, CRDCN data are required to be cited in any and all publications with the S" @@ -1595,8 +1299,7 @@ msgstr "" "de microdonnées de Statistique Canada sont recueillis avec une garantie" " de leur confidentialité et qu’ils sont détenus et contr&o" "circ;lés par Statistique Canada, ils ne peuvent être partag&eacut" -"e;s par aucun membre de l’équipe de recherche. 

                                                                          -\n" +"e;s par aucun membre de l’équipe de recherche. 

                                                                          \n" "

                                                                          L’accès aux données dan" "s les CDR est régi par la politique d’accès et de frais de" " service du RCCDR en français. Cette politique" " offre un accès gratuit aux chercheurs universitaires qui sont membres " "du réseau et donne accès aux autres sur la base du recouvrement " -"des coûts.

                                                                          -\n" +"des coûts.

                                                                          \n" "

                                                                          Le RCCDR et Statistique Canada font la prom" "otion de leurs fonds de données par le biais des médias sociaux " "et de leurs sites web respectifs. De plus, les données du RCCDR doivent" @@ -1620,18 +1322,15 @@ msgstr "" "n.org/fr/publications\">crdcn.org/fr/publications).

                                                                          " msgid "" -<<<<<<< HEAD "

                                                                          Describe the steps that will ensure that yo" "ur data will be available and usable for the foreseeable future after your stu" -"dy is complete.

                                                                          " +"dy is complete.

                                                                          " msgstr "" "

                                                                          Décrivez les étapes qui garan" "tiront que vos données seront disponibles et utilisables dans un avenir" " prévisible après la fin de votre étude.

                                                                          " msgid "" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                          Outline the ethical and legal implications " "placed on your research data.

                                                                          " msgstr "" @@ -1639,8 +1338,6 @@ msgstr "" "ues et juridiques de vos données de recherche.

                                                                          " msgid "" -<<<<<<< HEAD -======= "

                                                                          Describe how you will make your software/te" "chnology discoverable and accessible to others once it is complete.

                                                                          " msgstr "" @@ -1649,34 +1346,14 @@ msgstr "" " accessible aux autres une fois qu’il sera terminé.

                                                                          " msgid "" -"Data management focuses on the 'what' and 'how' of operationally supporting da" -"ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" -"sible for ensuring that data management happens. A large project, for example," -" will involve multiple data stewards. The Principal Investigator should identi" -"fy at the beginning of a project all of the people who will have responsibilit" -"ies for data management tasks during and after the project." -msgstr "" -"La notion de gestion des données fait référence au « quoi » et au « comment » " -"des opérations de gestion liées aux données tout au long du cycle de vie du pr" -"ojet. La notion de gérance des données met de son côté l'accent sur « qui » es" -"t responsable de s'assurer que cette gestion des données est faite. Un gros pr" -"ojet de recherche aura par exemple plusieurs personnes responsables. Le cherc" -"heur principal doit déterminer au début du projet quelles personnes dans l'équ" -"ipe auront des responsabilités en matière de gestion des données pendant et ap" -"rès le projet." - -msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                          The CRDCN and Statistics Canada will mainta" "in the research data even if the researcher leaves their organization.<" -"/p> -\n" +"/p> \n" "

                                                                          CRDCN enjoys the support of CIHR, SSHRC and" " CFI as well as receiving funds from the partner universities. There is no cha" "rge to the users of the RDCs for the data management conducted under the auspi" "ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" +"/p> \n" "

                                                                          CRDCN does not employ consistency checking " "to ensure that the code provided alongside requests for research results to be" " released from the secure facility truly creates the output as requested. The " @@ -1684,8 +1361,7 @@ msgid "" "ork as intended and are clear to other users who might access them lies with t" "he researchers in the RDC. The CRDCN has a mechanism to ensure that the code i" "s saved alongside all of the research output used to support the conclusions o" -"f any published works.

                                                                          -\n" +"f any published works.

                                                                          \n" "

                                                                          Researchers should consider how to manage t" "heir external research data and should think about who on the project team wil" "l have responsibility for managing the research data and what resources might " @@ -1724,8 +1400,7 @@ msgstr "" "e et quelles ressources pourraient être nécessaires pour ce faire" ". Dans la mesure du possible, les données de recherche provenant du CDR" " doivent être gérées de manière coordonnée a" -"vec la gestion des données de recherche externes.

                                                                          -\n" +"vec la gestion des données de recherche externes.

                                                                          \n" "

                                                                          En plus de la gestion des données em" "ployée par Statistique Canada, il est possible pour les chercheurs de f" "aire sortir du CDR des résultats de recherche qui ne contiennent pas de" @@ -1737,30 +1412,10 @@ msgstr "" "soit les données de recherche générées par les uti" "lisateurs du CDR, soit les données externes/supplémentaires), ve" "uillez indiquer à qui incombe la responsabilité de la conservati" -"on et de l’entretien de ces archives. 

                                                                          -\n" +"on et de l’entretien de ces archives. 

                                                                          \n" "

                                                                           

                                                                          " msgid "" -<<<<<<< HEAD -"

                                                                          Describe how you will make your software/te" -"chnology discoverable and accessible to others once it is complete.

                                                                          " -msgstr "" -"

                                                                          Décrivez comment vous allez faire en" -" sorte que votre logiciel ou technologie puisse être découvert et" -" accessible aux autres une fois qu’il sera terminé.

                                                                          " - -msgid "" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                          Outline any ethical and legal implications " -"placed on your research data.

                                                                          " -msgstr "" -"

                                                                          Décrivez les incidences éthiq" -"ues et juridiques de vos données de recherche.

                                                                          " - -msgid "" -<<<<<<< HEAD "Data management focuses on the 'what' and 'how' of operationally supporting da" "ta across the research lifecycle.  Data stewardship focuses on 'who' is respon" "sible for ensuring that data management happens. A large project, for example," @@ -1778,18 +1433,21 @@ msgstr "" "rès le projet." msgid "" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"

                                                                          Outline any ethical and legal implications " +"placed on your research data.

                                                                          " +msgstr "" +"

                                                                          Décrivez les incidences éthiq" +"ues et juridiques de vos données de recherche.

                                                                          " + +msgid "" "

                                                                          The CRDCN and Statistics Canada will mainta" "in the research data even if the researcher leaves their organization.<" -"/p> -\n" +"/p> \n" "

                                                                          CRDCN enjoys the support of CIHR, SSHRC and" " CFI as well as receiving funds from the partner universities. There is no cha" "rge to the users of the RDCs for the data management conducted under the auspi" "ces of CRDCN and Statistics Canada as described within this DMP. <" -"/p> -\n" +"/p> \n" "

                                                                          CRDCN does not employ consistency checking " "to ensure that the code provided alongside requests for research results to be" " released from the secure facility truly creates the output as requested. The " @@ -1801,15 +1459,13 @@ msgid "" msgstr "" "

                                                                          Le RCCDR et Statistique Canada conserveront" " les données de recherche même si le chercheur quitte leur organi" -"sation.

                                                                          -\n" +"sation.

                                                                          \n" "

                                                                          Le RCCDR bénéficie du soutien" " des IRSC, du CRSH et de la FCI ainsi que des fonds des universités par" "tenaires. Les utilisateurs des CDR n’ont aucuns frais à payer pou" "r la gestion des données effectuée sous les auspices du RCCDR et" " de Statistique Canada, comme décrit dans le présent PGD. <" -"/span>

                                                                          -\n" +"/span>

                                                                          \n" "

                                                                          Le RCCDR n’utilise pas de contrô" ";le de cohérence pour s’assurer que le code fourni avec les deman" "des de communication des résultats de recherche à partir de l&rs" @@ -1823,35 +1479,6 @@ msgstr "" "ns de tout travail publié.

                                                                          " msgid "" -<<<<<<< HEAD -"Researchers and their teams need to be aware of the policies and processes, bo" -"th ethical and legal, to which their research data management must comply. Pro" -"tection of respondent privacy is of paramount importance and informs many data" -" management practices.  In their data management plan, researchers must state " -"how they will prepare, store, share, and archive the data in a way that ensure" -"s participant information is protected, throughout the research lifecycle, fro" -"m disclosure, harmful use, or inappropriate linkages with other personal data." -"
                                                                          It's recognized that there may be cases where certain data and metadata c" -"annot be made public for various policy or legal reasons, however, the default" -" position should be that all research data and metadata are public." -msgstr "" -"Les chercheurs et leurs équipes doivent connaître les politiques et les proces" -"sus, éthiques et juridiques, auxquels leur gestion des données de recherche do" -"it se conformer. La protection de la vie privée du répondant revêt une importa" -"nce capitale et façonne plusieurs pratiques en matière de gestion des données." -" Dans leur plan de gestion des données, les chercheurs doivent indiquer la faç" -"on dont ils prépareront, stockeront, partageront et archiveront les données de" -" façon à s'assurer que les renseignements sur les participants sont protégés t" -"out au long du cycle de vie de la recherche contre la divulgation, l'utilisati" -"on préjudiciable ou les liens inappropriés avec d'autres données personnelles." -"
                                                                          On reconnait qu'il peut y avoir des cas où certaines données et métadonné" -"es ne peuvent pas être rendues publiques en raison de politiques ou de considé" -"rations légales. Toutefois, la position par défaut doit être que toutes les do" -"nnées et métadonnées de recherche sont publiques." - -msgid "" -======= ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                          Any users of the RDC must be 'deemed employ" "ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" "dates a security clearance process including a criminal background check, cred" @@ -1859,14 +1486,12 @@ msgid "" "w process of a research proposal and an institutional review at Statistics Can" "ada. In cases where a researcher’s scholarly work has been assessed thro" "ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                                                          -\n" +"d only the institutional review is required.

                                                                          \n" "

                                                                          Once a researcher is granted access to the " "RDC they must take an Oath of Secre" "cy – promising never to disc" "lose confidential data. Criminal penalties can apply under the Statistics Act " -"for violations of this oath.

                                                                          -\n" +"for violations of this oath.

                                                                          \n" "

                                                                          Intellectual property for work done within " "the RDC becomes property of Statistics Canada including code used to manipulat" "e data. The collection and dissemination of, and access to, confidential micro" @@ -1878,15 +1503,13 @@ msgid "" "lable here in English or French.

                                                                          -\n" +"an>.

                                                                          \n" "


                                                                          In general, research ethics clearance is not required for research conducted" " in the RDC. A statement from the CRDCN on the topic is available here in English or French.

                                                                          -\n" +"ds/ethics_review_recommendations_fr.pdf\">French.

                                                                          \n" "

                                                                          Please respond to the following ethical com" "pliance questions as they relate to your external/supplemental data. If your p" "roject underwent research-ethics review at your institution, you can summarize" @@ -1905,15 +1528,13 @@ msgstr "" "té évalués dans le cadre du processus d’examen de l" "a titularisation, ils sont considérés comme préapprouv&ea" "cute;s par les pairs et seul l’examen institutionnel est nécessai" -"re.

                                                                          -\n" +"re.

                                                                          \n" "

                                                                          Une fois qu’un chercheur est autoris&" "eacute; à accéder au CDR, il doit prêter un serment de con" "fidentialité - en promettant de ne jamais divulguer de données c" "onfidentielles. Des sanctions pénales peuvent être appliqué" ";es en vertu de la loi sur les statistiques en cas de violation de ce serment." -"

                                                                          -\n" +"

                                                                          \n" "

                                                                          La propriété intellectuelle d" "es travaux effectués au sein des CDR devient la propriété" " de Statistique Canada, y compris le code utilisé pour manipuler les do" @@ -1935,8 +1556,7 @@ msgstr "" "jet est disponible ici en anglais ou en fran" -"çais

                                                                          -\n" +"çais. 

                                                                          \n" "

                                                                          Veuillez répondre aux questions suiv" "antes sur la conformité déontologique en ce qui concerne vos don" "nées externes/supplémentaires. Si votre projet a fait l’ob" @@ -1960,97 +1580,6 @@ msgstr "" msgid "" "

                                                                          Indicate who will be working with the data " "at various stages, and describe their responsibilities.

                                                                          " -<<<<<<< HEAD -msgstr "" -"

                                                                          Indiquez les personnes qui travailleront av" -"ec les données à différents stades et décrivez leu" -"rs responsabilités.

                                                                          " - -msgid "" -"

                                                                          Any users of the RDC must be 'deemed employ" -"ees' of Statistics Canada. To become a deemed employee, the Treasury Board man" -"dates a security clearance process including a criminal background check, cred" -"it check and fingerprinting. Approval for access to data requires a peer-revie" -"w process of a research proposal and an institutional review at Statistics Can" -"ada. In cases where a researcher’s scholarly work has been assessed thro" -"ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                                                          -\n" -"

                                                                          Once a researcher is granted access to the " -"RDC they must take an Oath of Secrecy – promising never to disclose conf" -"idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

                                                                          -\n" -"

                                                                          Intellectual property for work done within " -"the RDC becomes property of Statistics Canada including code used to manipulat" -"e data. The collection and dissemination of, and access to, confidential micro" -"data is conducted under the Statistics Act and complies with all legal require" -"ments. The confidential microdata for this project cannot be shared, posted, o" -"r copied. Access to the data is available through the RDC program. More inform" -"ation on how to access data is available here in English or French.

                                                                          -\n" -"

                                                                          In general, research ethics clearance is no" -"t required for research conducted in the RDC. A statement from the CRDCN on th" -"e topic is available here in English or French.

                                                                          " -msgstr "" -"

                                                                          Tous utilisateurs du CDR doivent être" -" des « employés réputés » de St" -"atistique Canada. Pour devenir un employé réputé, le Cons" -"eil du Trésor impose un processus de vérification de la sé" -";curité comprenant une vérification des antécédent" -"s criminels, une vérification de la solvabilité et la prise d&rs" -"quo;empreintes digitales. L’approbation de l’accès aux donn" -"ées nécessite un processus d’examen par les pairs d’" -"une proposition de recherche et une revue institutionnelle à Statistiqu" -"e Canada. Dans les cas où les travaux d’un chercheur ont é" -"té évalués dans le cadre du processus d’examen de l" -"a titularisation, ils sont considérés comme préapprouv&ea" -"cute;s par les pairs et seul l’examen institutionnel est nécessai" -"re.

                                                                          -\n" -"

                                                                          Une fois qu’un chercheur est autoris&" -"eacute; à accéder au CDR, il doit prêter un serment de con" -"fidentialité - en promettant de ne jamais divulguer de données c" -"onfidentielles. Des sanctions pénales peuvent être appliqué" -";es en vertu de la loi sur les statistiques en cas de violation de ce serment." -"

                                                                          -\n" -"

                                                                          La propriété intellectuelle d" -"es travaux effectués au sein des CDR devient la propriété" -" de Statistique Canada, y compris le code utilisé pour manipuler les do" -"nnées. La collecte et la diffusion de microdonnées confidentiell" -"es, ainsi que l’accès à celles-ci, sont effectués e" -"n vertu de la Loi sur la statistique et sont conformes à toutes les exi" -"gences légales. Les microdonnées confidentielles pour ce projet " -"ne peuvent être partagées, affichées ou copiées. L&" -"rsquo;accès aux données est disponible exclusivement par l&rsquo" -";intermédiaire de Statistique Canada et du programme de CDR. Plus d&rsq" -"uo;informations sur la façon d’accéder aux données " -"sont disponibles ici en anglais ou en" -" français.

                                                                          -\n" -"

                                                                          En général, l’autorisat" -"ion d’éthique de la recherche n’est pas requise pour les re" -"cherches menées dans les CDR. Une déclaration du RCCDR sur le su" -"jet est disponible ici a" -"nglais ou en " -"français.

                                                                          " -======= msgstr "" "

                                                                          Indiquez les personnes qui travailleront av" "ec les données à différents stades et décrivez leu" @@ -2064,13 +1593,11 @@ msgid "" "w process of a research proposal and an institutional review at Statistics Can" "ada. In cases where a researcher’s scholarly work has been assessed thro" "ugh the tenure review process, they are considered peer-review pre-approved an" -"d only the institutional review is required.

                                                                          -\n" +"d only the institutional review is required.

                                                                          \n" "

                                                                          Once a researcher is granted access to the " "RDC they must take an Oath of Secrecy – promising never to disclose conf" "idential data. Criminal penalties can apply under the Statistics Act for viola" -"tions of this oath.

                                                                          -\n" +"tions of this oath.

                                                                          \n" "

                                                                          Intellectual property for work done within " "the RDC becomes property of Statistics Canada including code used to manipulat" "e data. The collection and dissemination of, and access to, confidential micro" @@ -2081,8 +1608,7 @@ msgid "" ".org/research\">English or French.

                                                                          -\n" +"pan>

                                                                          \n" "

                                                                          In general, research ethics clearance is no" "t required for research conducted in the RDC. A statement from the CRDCN on th" "e topic is available here in

                                                                          -\n" +"re.

                                                                          \n" "

                                                                          Une fois qu’un chercheur est autoris&" "eacute; à accéder au CDR, il doit prêter un serment de con" "fidentialité - en promettant de ne jamais divulguer de données c" "onfidentielles. Des sanctions pénales peuvent être appliqué" ";es en vertu de la loi sur les statistiques en cas de violation de ce serment." -"

                                                                          -\n" +"

                                                                          \n" "

                                                                          La propriété intellectuelle d" "es travaux effectués au sein des CDR devient la propriété" " de Statistique Canada, y compris le code utilisé pour manipuler les do" @@ -2129,8 +1653,7 @@ msgstr "" "e=\"font-weight: 400;\">anglais ou en" " français.

                                                                          -\n" +"le=\"font-weight: 400;\">

                                                                          \n" "

                                                                          En général, l’autorisat" "ion d’éthique de la recherche n’est pas requise pour les re" "cherches menées dans les CDR. Une déclaration du RCCDR sur le su" @@ -2166,7 +1689,6 @@ msgstr "" "es ne peuvent pas être rendues publiques en raison de politiques ou de considé" "rations légales. Toutefois, la position par défaut doit être que toutes les do" "nnées et métadonnées de recherche sont publiques." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f msgid "" "

                                                                          Provide information about how you will make" @@ -2561,72 +2083,47 @@ msgstr "" msgid "" "Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
                                                                          -\n" +"ny times as necessary for each new set.
                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +"m> \n" " -\n" -" -\n" -" -\n" +">If the data will be produced as part of the project, indicate this. \n" +" \n" +" \n" " -\n" +" \n" " -\n" -" -\n" -" -\n" +"ts, word processing files) \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" +"lection, corpus) \n" +" \n" +" \n" " -\n" +"gy
                                                                          \n" " -\n" -" -\n" -" -\n" +"tive interviews or focus groups)
                                                                          \n" +" \n" +" \n" " -\n" +"ong>
                                                                          \n" " -\n" -" -\n" -" -\n" +"er researcher. \n" +" \n" +" \n" " -\n" +"em> \n" " -\n" -" -\n" -" -\n" +"a>. \n" +" \n" +" \n" " -\n" +"t of research data/material during the project \n" " -\n" -" -\n" -" -\n" +"Service. \n" +" \n" +" \n" " -\n" +" require long-term preservation? \n" " -\n" -" -\n" +"d> \n" +" \n" +" \n" " -\n" +" be shared? \n" " -\n" -" -\n" -" -\n" +"n format). \n" +" \n" +" \n" "
                                                                          Data Source(e.g. the Archives of Ontario)
                                                                          If the data will be produced as part of the project, indicate this.
                                                                          Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
                                                                          Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
                                                                          Data Creation Methodolo" -"gy
                                                                          (if" " the data are produced as part of the project)
                                                                          (e.g., surveys and qualita" -"tive interviews or focus groups)
                                                                          Data Producer
                                                                          Explain 1) who created the research" " data if it is not collected data, or 2) who created an additional analytical " "layer to existing research data.
                                                                          Example: In the second case, one could u" "se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
                                                                          Is it sensitive data?Arc" "hival records are generally reviewed by an archivist for privacy concerns befo" "re being made available to researchers. In cases where the information will be" @@ -2635,131 +2132,91 @@ msgid "" "onal beliefs, personal orientation, health status, etc. without permission. Fo" "r further guidance, see the Human Research Data Risk Matrix.
                                                                          Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" "t, .txt, .csv, .jpeg, .nvpx, etc.)
                                                                          Find m" "ore information on file formats: UBC Library or UK Data " -"Service.
                                                                          Does the research data" -" require long-term preservation?Research material that has heritag" "e value or value to one or more research communities or to the public interest" " should provide for specific actions to ensure its long-term access. If so, ex" "plain here how long-term value is characterized.
                                                                          (The Preservation section provides an opportunity to reflect on all of the elements to be con" "sidered for this dataset, including in particular the preservation format). -\n" -"
                                                                          Will the research data" -" be shared?If not, please justify why no form" " of sharing is possible or desirable. Sharing research materials promotes know" "ledge development, collaborations and reduces duplication of research efforts." "
                                                                          (The Sharing and Reuse section provides an opportunity to cons" "ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
                                                                          " msgstr "" "Caractériser chaque ensemble de matériel de recherche à l" "'aide du tableau fourni. Répétez autant de fois que néces" -"saire pour chaque nouvel ensemble.
                                                                          -\n" +"saire pour chaque nouvel ensemble.
                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +"es
                                                                          \n" " -\n" -" -\n" -" -\n" +"produites dans le cadre du projet, indiquez-là. \n" +" \n" +" \n" " -\n" +" \n" " -\n" -" -\n" -" -\n" +"scrits, fichier de traitement de texte) \n" +" \n" +" \n" " -\n" +"atériel  \n" " -\n" -" -\n" -" -\n" +"ées, collection ; corpus) \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" +"e discussion)
                                                                          \n" +" \n" +" \n" " -\n" +"ute;es
                                                                          \n" " -\n" -" -\n" +"> \n" +" \n" +" \n" " -\n" +"es sensibles? \n" " -\n" -" -\n" -" -\n" +"-weight: 400;\">. \n" +" \n" +" \n" " -\n" +"ojet \n" " -\n" -" -\n" -" -\n" +" Data Service (lien en anglais). \n" +" \n" +" \n" " -\n" +"> \n" " -\n" -" -\n" -" -\n" +"ormat de préservation.) \n" +" \n" +" \n" " -\n" +"recherche sera-t-il partagé? \n" " -\n" -" -\n" -" -\n" +"ont en particulier le format de diffusion.) \n" +" \n" +" \n" "
                                                                          Source des donné" -"es
                                                                          (ex. : fonds d’archives du Ce" "ntre de planning familial du Québec)
                                                                          Si les données seront " -"produites dans le cadre du projet, indiquez-là.
                                                                          Type de matériel" -"(ex.: photos, enregistrements, manu" -"scrits, fichier de traitement de texte)
                                                                          Granularité du m" -"atériel (ex.: item individuel ; jeu de donn" -"ées, collection ; corpus)
                                                                          Méthodologie de " "création des données
                                                                          (da" "ns le cas où les données sont produites dans le cadre du projet)" "
                                                                          (ex. : des enquêtes et des entrevues qualitatives ou des groupes d" -"e discussion)
                                                                          Producteur des donn&eac" -"ute;es
                                                                          Expliquer : 1) qui crée le m" "atériel de recherche dans le cas où il ne s’agit pas de ma" "tériel collecté ou 2) qui crée une couche analytique addi" "tionnelle au matériel de recherche existant.
                                                                          Exemple : Dans le sec" "ond cas, on pourrait utiliser un instrument de recherche préparé" " par l’archive ou un catalogue raisonné d'un autre chercheur. -\n" -"
                                                                          Est-ce des donné" -"es sensibles?Les" " documents d'archives sont généralement examinés par un a" "rchiviste pour des raisons de protection Matrice de risque lié aux donn&e" "acute;es de recherche avec des êtres humains.
                                                                          Format analogique ou nu" "mérique des données / matériel de recherche pendant le pr" -"ojet(ex" ".: imprimé, bande magnétique, artefact, .txt, .csv, .jpeg, .nvpx" ", etc.)
                                                                          Gouvernement du Cana" "da ou UK" -" Data Service (lien en anglais).
                                                                          Le matériel de " "recherche doit-t-il être préservé à long terme?Un matériel de recherche qu" "i a une valeur patrimoniale ou une valeur pour une ou plusieurs communaut&eacu" "te;s de recherche ou encore pour l’intérêt public devrait p" @@ -2811,15 +2260,11 @@ msgstr "" " permet de réfléchir" " à l’ensemble des éléments à considér" "er pour le présent ensemble de données, dont en particulier le f" -"ormat de préservation.)
                                                                          Le matériel de " -"recherche sera-t-il partagé?Si non, veuillez justifier pourquo" "i aucune forme de partage n’est possible ou souhaitable. Le partage du m" "atériel de recherche favorise le développement des connaissances" @@ -2827,12 +2272,9 @@ msgstr "" "cherche.
                                                                          (La section Partage et réutilisation permet de " "réfléchir à l’ensemble des éléments &" "agrave; considérer pour le présent ensemble de données, d" -"ont en particulier le format de diffusion.)
                                                                          " msgid "" @@ -2844,18 +2286,13 @@ msgstr "" msgid "" "

                                                                          Describe the storage conditions for your research data taking into account " -"the following aspects:

                                                                          -\n" +"the following aspects:

                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +" copies \n" " -\n" -" -\n" -" -\n" +"ice. \n" +" \n" +" \n" " -\n" +"ce \n" " -\n" -" -\n" -" -\n" +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies) \n" +" \n" +" \n" " -\n" +"ation \n" " -\n" -" -\n" -" -\n" +" term = well beyond the end of the project) \n" +" \n" +" \n" " -\n" +"esearch data restricted? \n" " -\n" -" -\n" -" -\n" +" password protection, file encryption). \n" +" \n" +" \n" " -\n" +"a? \n" " -\n" -" -\n" -" -\n" +"etwork.ca. \n" +" \n" +" \n" "
                                                                          Master file and backup" -" copiesFo" "llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" "tored on 2 types of media (e.g. institutional server + external drive), and 1 " @@ -2865,47 +2302,31 @@ msgid "" "ct the DMP Coordinator at support@p" "ortagenetwork.ca. Find more information on storage and backup practices at" " UK Data Serv" -"ice.
                                                                          Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                                                          Anticipated storage dur" -"ation(e." "g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
                                                                          Is the access to this r" -"esearch data restricted? If " "applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
                                                                          Who can access the dat" -"a?De" "scribe functional roles.

                                                                          To " "make sure your research data is transmitted in a secure manner or through serv" @@ -2914,33 +2335,23 @@ msgid "" "acts/\">institution’s library<" "span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
                                                                          " msgstr "" "

                                                                          Caractériser les conditions de stockage de votre matériel de " -"recherche en tenant compte des dimensions suivantes :

                                                                          -\n" -" -\n" -" -\n" -" -\n" +"recherche en tenant compte des dimensions suivantes :

                                                                          \n" +"
                                                                          \n" +" \n" +" \n" " -\n" -" \n" +" -\n" -" -\n" -" -\n" +"style=\"font-weight: 400;\">). \n" +" \n" +" \n" " -\n" +"m> \n" " -\n" -" -\n" -" -\n" +" \n" +" \n" +" \n" " -\n" +"te;e
                                                                          \n" " -\n" -" -\n" -" -\n" +" au-delà la fin du projet) \n" +" \n" +" \n" " -\n" +"rong> \n" " -\n" -" -\n" -" -\n" +" verrouillé, cryptage de fichiers). \n" +" \n" +" \n" " -\n" -" \n" +" -\n" -" -\n" -" -\n" +"rtagenetwork.ca. 
                                                                          \n" +" \n" +" \n" "
                                                                          Fichier maître et copies de s&e" -"acute;curité -\n" +"acute;curité \n" "

                                                                          Suivre la règle de sauvegarde 3-2-1&" "nbsp;: 3 copies des fichiers (fichier maître + 2 copies), sur 2 supports" " physiques différents (ex. : serveur université + disque dur ext" -"erne), 1 copie hors site.

                                                                          -\n" +"erne), 1 copie hors site.

                                                                          \n" "Chaque support de stockage présente des" " avantages et des inconvénients. Au besoin, consulter une UK Data Service" " (lien en anglais).
                                                                          Espace de stockage anticipé(ex. : 2 tablette" "s ; 15 fichiers de ~70 Mo =~ 1Go mais répété en 3 copies)" -"
                                                                          Durée de stockage anticip&eacu" -"te;e
                                                                          (ex. : pour la du" "rée du projet ; 5 ans après la fin du projet ; long terme = bien" -" au-delà la fin du projet)
                                                                          Contraintes d’accès &agr" "ave; ce matériel de recherche?
                                                                          Indiquer au besoi" "n quelles mesures sont prises pour gérer cet accès (ex. : espace" -" verrouillé, cryptage de fichiers).
                                                                          Qui accède au matériel?" -"
                                                                          -\n" +"
                                                                          \n" "

                                                                          Indiquer les rôles fonctionnels.

                                                                          -\n" +"n>

                                                                          \n" "Si vous voulez vérifiez que vous &eacut" "e;changez du matériel de recherche à distance de façon s&" "eacute;curitaire ou encore sur des serveurs régis par des lois canadien" @@ -3007,37 +2400,25 @@ msgstr "" "fr/outils-et-ressources/personnes-ressources-pour-la-gdr-dans-les-etablissemen" "ts/\">les bibliothécaires de votre institution ou contacter le Coord" "onnateur du PGD à support@po" -"rtagenetwork.ca
                                                                          " msgid "" "Describe the research data that requires long-term preservation by considering" -" the following aspects:

                                                                          -\n" +" the following aspects:

                                                                          \n" " -\n" -" -\n" -" -\n" +"\"> \n" +" \n" +" \n" " -\n" +"rong> \n" " -\n" -" -\n" -" -\n" -" -\n" +"ultiple research communities; public interest; policy requirement) \n" +" \n" +" \n" +" \n" " -\n" -" -\n" +"/td> \n" +" \n" +" \n" "
                                                                          Preservation reason(e.g. heritage value; value for one or m" -"ultiple research communities; public interest; policy requirement)
                                                                          Preservation format
                                                                          Preservation formatSee recommendations of" " the Library of CongressDocumenta" "tion and Metadata section.<" -"/td> -\n" -"
                                                                          " msgstr "" "Caractériser le matériel de recherche qui devrait être pr&" "eacute;servé à long terme en considérant les dimensions s" -"uivantes :

                                                                          -\n" +"uivantes :

                                                                          \n" " -\n" -" -\n" -" -\n" +"\"> \n" +" \n" +" \n" " -\n" +"tion \n" " -\n" -" -\n" -" -\n" +"herche ; intérêt public; exigence politique) \n" +" \n" +" \n" " -\n" +"> 
                                                                          \n" " -\n" -" -\n" -" -\n" +"eight: 400;\">. \n" +" \n" +" \n" "
                                                                          Raison de la préserva" -"tion(ex. : valeur patrimoniale ; valeur pour" " la communauté de recherche ou pour plusieurs communautés de rec" -"herche ; intérêt public; exigence politique)
                                                                          Format de préservation 
                                                                          Voir les recommandatio" "ns du Documentation et métadonnées.
                                                                          " msgid "" @@ -3107,119 +2473,79 @@ msgstr "" msgid "" "

                                                                          Describe each research dataset that will be shared with other researchers o" "r a broader audience while taking into account the following considerations: -\n" +"p> \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +"strong> \n" " -\n" -" -\n" -" -\n" +"> section if necessary. \n" +" \n" +" \n" " -\n" +" to intellectual property? \n" " -\n" -" -\n" -" -\n" +"> section if necessary. \n" +" \n" +" \n" " -\n" +"rong> \n" " -\n" -" -\n" -" -\n" +"m of sharing of research materials. \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" +"> \n" +" \n" +" \n" "
                                                                          Is it sensitive data?If so, e" "xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                                                          Is the research data subject" -" to intellectual property?If so, e" "xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                                                          Sharing requirementIt depen" "ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
                                                                          Target audience (e.g. hi" "story researchers, researchers from various disciplines, general public)
                                                                          " msgstr "" "

                                                                          Caractériser chaque ensemble de matériel de recherche qui ser" "a partagé avec d’autres chercheurs ou auprès d’un pu" -"blic élargi selon les dimensions suivantes.

                                                                          -\n" -" -\n" -" -\n" -" -\n" +"blic élargi selon les dimensions suivantes.

                                                                          \n" +"
                                                                          \n" +" \n" +" \n" " -\n" +"> \n" " -\n" -" -\n" -" -\n" +"ique et juridique. \n" +" \n" +" \n" " -\n" +"ng>
                                                                          \n" " -\n" -" -\n" -" -\n" +"ection Conformité éthique et juridique. \n" +" \n" +" \n" " -\n" +"em>
                                                                          \n" " -\n" -" -\n" -" -\n" +"xige une forme de partage du matériel de recherche \n" +" \n" +" \n" " -\n" +"m>
                                                                          \n" " -\n" -" -\n" -" -\n" +"an> \n" +" \n" +" \n" "
                                                                          Y a-t-il des données sensibles?Si oui, expliquer si c" "ela limite l’accès. Référer au besoin à la s" "ection Conformité éth" -"ique et juridique.
                                                                          Le matériel de recherche est-il ass" "ujetti à une propriété intellectuelle?
                                                                          Si oui, expliquer si c" "ela limite l’accès. Référer au besoin à la s" -"ection Conformité éthique et juridique.
                                                                          Exigence de partage<" -"em>
                                                                          Oui ou non, selon qu&r" "squo;une politique institutionnelle ou que l’organisme subventionnaire e" -"xige une forme de partage du matériel de recherche
                                                                          Public visé
                                                                          (ex. : chercheurs en h" "istoire, chercheurs de diverses disciplines, public général)
                                                                          " msgid "" @@ -3234,72 +2560,47 @@ msgstr "" msgid "" "Describe each set of research materials using the table provided. Repeat as ma" -"ny times as necessary for each new set.
                                                                          -\n" +"ny times as necessary for each new set.
                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +"m> \n" " -\n" -" -\n" -" -\n" +">If the data will be produced as part of the project, indicate this. \n" +" \n" +" \n" " -\n" +" \n" " -\n" -" -\n" -" -\n" +"ts, word processing files) \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" +"lection, corpus) \n" +" \n" +" \n" " -\n" +"gy
                                                                          \n" " -\n" -" -\n" -" -\n" +"tive interviews or focus groups)
                                                                          \n" +" \n" +" \n" " -\n" +"ong>
                                                                          \n" " -\n" -" -\n" -" -\n" +"er researcher. \n" +" \n" +" \n" " -\n" +"em> \n" " -\n" -" -\n" -" -\n" +">. \n" +" \n" +" \n" " -\n" +"t of research data/material during the project \n" " -\n" -" -\n" -" -\n" +"Service. \n" +" \n" +" \n" " -\n" +" require long-term preservation? \n" " -\n" -" -\n" +"d> \n" +" \n" +" \n" " -\n" +" be shared? \n" " -\n" -" -\n" -" -\n" +"n format). \n" +" \n" +" \n" " -\n" +">
                                                                          \n" " -\n" -" -\n" -" -\n" +"this process in the Documentation and Metadata section. \n" +" \n" +" \n" "
                                                                          Data Source(e.g. the Archives of Ontario)
                                                                          If the data will be produced as part of the project, indicate this.
                                                                          Data Type" -"(e.g. images, recordings, manuscrip" -"ts, word processing files)
                                                                          Data Granularity(e.g. individual item; dataset, col" -"lection, corpus)
                                                                          Data Creation Methodolo" -"gy
                                                                          (if" " the data are produced as part of the project)
                                                                          (e.g., surveys and qualita" -"tive interviews or focus groups)
                                                                          Data Producer
                                                                          Explain 1) who created the research" " data if it is not collected data, or 2) who created an additional analytical " "layer to existing research data.
                                                                          Example: In the second case, one could u" "se a finding aid prepared by the archive or a catalog raisonné of anoth" -"er researcher.
                                                                          Is it sensitive data?Arc" "hival records are generally reviewed by an archivist for privacy reasons befor" "e being made available to researchers. In cases where the information will be " @@ -3308,141 +2609,97 @@ msgid "" "nal beliefs, personal orientation, health status, etc. without permission. For" " further guidance, see the Human Research Data Risk Matrix.
                                                                          Analog or digital forma" -"t of research data/material during the project(e.g. print, magnetic tape, artefac" "t, .txt, .csv, .jpeg, .nvpx, etc.)
                                                                          Find m" "ore information on file formats: UBC Library or UK Data " -"Service.
                                                                          Does the research data" -" require long-term preservation?Research material that has heritag" "e value or value to one or more research communities or to the public interest" " should provide for specific actions to ensure its long-term access. If so, ex" "plain here how long-term value is characterized.
                                                                          (The Preservation section provides an opportunity to reflect on all of the elements to be con" "sidered for this dataset, including in particular the preservation format). -\n" -"
                                                                          Will the research data" -" be shared?If not, please justify why no form" " of sharing is possible or desirable. Sharing research materials promotes know" "ledge development, collaborations and reduces duplication of research efforts." "
                                                                          (The Sharing and Reuse section provides an opportunity to cons" "ider all of the considerations for this dataset, particularly the disseminatio" -"n format).
                                                                          Will the dataset require updates?
                                                                          If so, make sure to properly and timely document " -"this process in the Documentation and Metadata section.
                                                                          " msgstr "" "Caractériser chaque ensemble de matériel de recherche à l" "'aide du tableau fourni. Répétez autant de fois que néces" -"saire pour chaque nouvel ensemble.
                                                                          -\n" +"saire pour chaque nouvel ensemble.
                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +"es
                                                                          \n" " -\n" -" -\n" -" -\n" +"produites dans le cadre du projet, indiquez-là. \n" +" \n" +" \n" " -\n" +" \n" " -\n" -" -\n" -" -\n" +"scrits, fichier de traitement de texte) \n" +" \n" +" \n" " -\n" +"atériel  \n" " -\n" -" -\n" -" -\n" +"ées, collection ; corpus) \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" +"e discussion)
                                                                          \n" +" \n" +" \n" " -\n" +"ute;es
                                                                          \n" " -\n" -" -\n" +"> \n" +" \n" +" \n" " -\n" +"es sensibles? \n" " -\n" -" -\n" -" -\n" +"-weight: 400;\">. \n" +" \n" +" \n" " -\n" +"ojet \n" " -\n" -" -\n" -" -\n" +" Data Service (lien en anglais). \n" +" \n" +" \n" " -\n" +"> \n" " -\n" -" -\n" -" -\n" +"r le format de préservation.) \n" +" \n" +" \n" " -\n" +"recherche sera-t-il partagé? \n" " -\n" -" -\n" -" -\n" +"nt en particulier le format de diffusion.) \n" +" \n" +" \n" " -\n" +"ute;ventuelle de l’ensemble de données ? \n" " -\n" -" -\n" -" -\n" +"s au moment opportun. \n" +" \n" +" \n" "
                                                                          Source des donné" -"es
                                                                          (ex. : fonds d’archives du Ce" "ntre de planning familial du Québec)
                                                                          Si les données seront " -"produites dans le cadre du projet, indiquez-là.
                                                                          Type de matériel" -"(ex.: photos, enregistrements, manu" -"scrits, fichier de traitement de texte)
                                                                          Granularité du m" -"atériel (ex.: item individuel ; jeu de donn" -"ées, collection ; corpus)
                                                                          Méthodologie de " "création des données
                                                                          (da" "ns le cas où les données sont produites dans le cadre du projet)" "
                                                                          (ex. : des enquêtes et des entrevues qualitatives ou des groupes d" -"e discussion)
                                                                          Producteur des donn&eac" -"ute;es
                                                                          Expliquer : 1) qui crée le m" "atériel de recherche dans le cas où il ne s’agit pas de ma" "tériel collecté ou 2) qui crée une couche analytique addi" "tionnelle au matériel de recherche existant.
                                                                          Exemple : Dans le sec" "ond cas, on pourrait utiliser un instrument de recherche préparé" " par l’archive ou un catalogue raisonné d'un autre chercheur. -\n" -"
                                                                          Est-ce des donné" -"es sensibles?Les" " documents d'archives sont généralement examinés par un a" "rchiviste pour des raisons de protection Matrice de risque lié aux donn&e" "acute;es de recherche avec des êtres humains.
                                                                          Format analogique ou nu" "mérique des données / matériel de recherche pendant le pr" -"ojet(ex" ".: imprimé, bande magnétique, artefact, .txt, .csv, .jpeg, .nvpx" ", etc.)
                                                                          Gouvernement du Cana" "da ou UK" -" Data Service (lien en anglais).
                                                                          Le matériel de " "recherche doit-t-il être préservé à long terme?Un matériel de recherche qu" "i a une valeur patrimoniale ou une valeur pour une ou plusieurs communaut&eacu" "te;s de recherche ou encore pour l’intérêt public devrait p" @@ -3494,15 +2743,11 @@ msgstr "" "vation permet de réfl&eacut" "e;chir à l’ensemble des éléments à consid&ea" "cute;rer pour le présent ensemble de données, dont en particulie" -"r le format de préservation.)
                                                                          Le matériel de " -"recherche sera-t-il partagé?Si non, veuillez justifier pourquo" "i aucune forme de partage n’est possible ou souhaitable. Le partage du m" "atériel de recherche favorise le développement des connaissances" @@ -3510,39 +2755,27 @@ msgstr "" "cherche.
                                                                          (La section Partage et réutilisation permet de r" "éfléchir à l’ensemble des éléments &a" "grave; considérer pour le présent ensemble de données, do" -"nt en particulier le format de diffusion.)
                                                                          Mise à jour &eac" -"ute;ventuelle de l’ensemble de données ?Si oui, s’assurer de bien doc" "umenter ce processus dans la section Documentation et métadonnée" -"s au moment opportun.
                                                                          " msgid "" "

                                                                          Describe the storage conditions for your research data taking into account " -"the following aspects:

                                                                          -\n" +"the following aspects:

                                                                          \n" " -\n" -" -\n" -" -\n" +"1\"> \n" +" \n" +" \n" " -\n" +" copies \n" " -\n" -" -\n" -" -\n" +"ice. \n" +" \n" +" \n" " -\n" +"ce \n" " -\n" -" -\n" -" -\n" +"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies) \n" +" \n" +" \n" " -\n" +"ation \n" " -\n" -" -\n" -" -\n" +" term = well beyond the end of the project) \n" +" \n" +" \n" " -\n" +"esearch data restricted? \n" " -\n" -" -\n" -" -\n" +" password protection, file encryption). \n" +" \n" +" \n" " -\n" +"a? \n" " -\n" -" -\n" -" -\n" -"
                                                                          Master file and backup" -" copiesFo" "llow the 3-2-1 backup rule: keep 3 copies of files (master file + 2 copies), s" "tored on 2 types of media (e.g. institutional server + external drive), and 1 " @@ -3552,47 +2785,31 @@ msgid "" "ct the DMP Coordinator at support@p" "ortagenetwork.ca. Find more information on storage and backup practices at" " UK Data Serv" -"ice.
                                                                          Anticipated storage spa" -"ce(e." -"g. 2 tablets; 15 files of ~70 MB =~ 1 GB multiplied in 3 copies)
                                                                          Anticipated storage dur" -"ation(e." "g. for the duration of the project; 5 years after the end of the project; long" -" term = well beyond the end of the project)
                                                                          Is the access to this r" -"esearch data restricted? If " "applicable, indicate what measures are being taken to manage this access (e.g." -" password protection, file encryption).
                                                                          Who can access the dat" -"a?De" "scribe functional roles.

                                                                          To " "make sure your research data is transmitted in a secure manner or through serv" @@ -3601,35 +2818,24 @@ msgid "" "acts/\">institution’s library<" "span style=\"font-weight: 400;\"> or the DMP Coordinator at support@portagen" -"etwork.ca.
                                                                          -\n" +"etwork.ca. \n" +" \n" +" \n" +" \n" "



                                                                          " msgstr "" "

                                                                          Caractériser les conditions de stockage de votre matériel de " -"recherche en tenant compte des dimensions suivantes :

                                                                          -\n" -" -\n" -" -\n" -" -\n" +"recherche en tenant compte des dimensions suivantes :

                                                                          \n" +"
                                                                          \n" +" \n" +" \n" " -\n" -" \n" +" -\n" -" -\n" -" -\n" +"style=\"font-weight: 400;\">). \n" +" \n" +" \n" " -\n" +"m> \n" " -\n" -" -\n" -" -\n" +" \n" +" \n" +" \n" " -\n" +"te;e
                                                                          \n" " -\n" -" -\n" -" -\n" +" au-delà la fin du projet) \n" +" \n" +" \n" " -\n" +"rong> \n" " -\n" -" -\n" -" -\n" +" verrouillé, cryptage de fichiers). \n" +" \n" +" \n" " -\n" -" \n" +" -\n" -" -\n" -" -\n" +"rtagenetwork.ca. 
                                                                          \n" +" \n" +" \n" "
                                                                          Fichier maître et copies de s&e" -"acute;curité -\n" +"acute;curité \n" "

                                                                          Suivre la règle de sauvegarde 3-2-1&" "nbsp;: 3 copies des fichiers (fichier maître + 2 copies), sur 2 supports" " physiques différents (ex. : serveur université + disque dur ext" -"erne), 1 copie hors site.

                                                                          -\n" +"erne), 1 copie hors site.

                                                                          \n" "Chaque support de stockage présente des" " avantages et des inconvénients. Au besoin, consulter une UK Data Service" " (lien en anglais).
                                                                          Espace de stockage anticipé(ex. : 2 tablette" "s ; 15 fichiers de ~70 Mo =~ 1Go mais répété en 3 copies)" -"
                                                                          Durée de stockage anticip&eacu" -"te;e
                                                                          (ex. : pour la du" "rée du projet ; 5 ans après la fin du projet ; long terme = bien" -" au-delà la fin du projet)
                                                                          Contraintes d’accès &agr" "ave; ce matériel de recherche?
                                                                          Indiquer au besoi" "n quelles mesures sont prises pour gérer cet accès (ex. : espace" -" verrouillé, cryptage de fichiers).
                                                                          Qui accède au matériel?" -"
                                                                          -\n" +"
                                                                          \n" "

                                                                          Indiquer les rôles fonctionnels.

                                                                          -\n" +"n>

                                                                          \n" "Si vous voulez vérifiez que vous &eacut" "e;changez du matériel de recherche à distance de façon s&" "eacute;curitaire ou encore sur des serveurs régis par des lois canadien" @@ -3696,12 +2884,9 @@ msgstr "" "fr/outils-et-ressources/personnes-ressources-pour-la-gdr-dans-les-etablissemen" "ts/\">les bibliothécaires de votre institution ou contacter le Coord" "onnateur du PGD à support@po" -"rtagenetwork.ca
                                                                          " msgid "" @@ -3717,98 +2902,65 @@ msgstr "" msgid "" "

                                                                          Describe each research dataset that will be shared with other researchers o" "r a broader audience while taking into account the following considerations: -\n" -" -\n" -" -\n" -" -\n" +"p> \n" +"
                                                                          \n" +" \n" +" \n" " -\n" +"strong> \n" " -\n" -" -\n" -" -\n" +"> section if necessary. \n" +" \n" +" \n" " -\n" +" to intellectual property? \n" " -\n" -" -\n" -" -\n" +"> section if necessary. \n" +" \n" +" \n" " -\n" +"rong> \n" " -\n" -" -\n" -" -\n" +"m of sharing of research materials. \n" +" \n" +" \n" " -\n" +"g> \n" " -\n" -" -\n" -" -\n" -" -" +"> \n" +" \n" +" \n" +" " "\n" " -\n" -" -\n" -" -\n" -" -\n" +"weight: 400;\">: information describing research data. \n" +" \n" +" \n" +" \n" +" \n" +" \n" " -\n" -" -\n" -" -\n" -" -\n" +"f data obtained under the former licence cannot be prevented. \n" +" \n" +" \n" +" \n" " -\n" -" -\n" -" -\n" +"> \n" +" \n" +" \n" "
                                                                          Is it sensitive data?If so, e" "xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                                                          Is the research data subject" -" to intellectual property?If so, e" "xplain if this limits access. Refer to the Ethics and Legal Compliance section if necessary.
                                                                          Sharing requirementIt depen" "ds on whether an institutional policy or the granting agency requires some for" -"m of sharing of research materials.
                                                                          Target audience (e.g. hi" "story researchers, researchers from various disciplines, general public)
                                                                          Data processing level
                                                                          Data processing level Describe in what forma" "t the data is shared, i.e. raw, processed, analyzed, or final, or whether only" " metadata can be shared. These processi" -"ng level options are not mutually exclusive.
                                                                          -\n" -"
                                                                            -\n" +"ng level options are not mutually exclusive.
                                                                            \n" +"
                                                                              \n" "
                                                                            • Raw: data obtained directly from the field or an interview.
                                                                            • -" +"t: 400;\">: data obtained directly from the field or an interview. " "\n" "
                                                                            • Processed: operations performed to make data ready for analysis or to de" -"-identify individuals.
                                                                            • -\n" +"-identify individuals. \n" "
                                                                            • Analyzed: data resulting from a qualitative or quantitative analysis fol" -"lowing a methodology and a conceptual framework.
                                                                            • -\n" +"lowing a methodology and a conceptual framework. \n" "
                                                                            • Final: research data prepared for its preservation.
                                                                            • -\n" +"ght: 400;\">: research data prepared for its preservation. \n" "
                                                                            • Metadata: information describing research data.
                                                                            • -\n" -"
                                                                            -\n" -"
                                                                          User licence
                                                                          User licenceThe holder of the rese" "arch data intellectual property should grant a licence that clarifies how the " "research data may be used. The most commonly used licences are Open" " Data Commons licences. Please note" " that once a licence is granted, even if it is subsequently changed, the use o" -"f data obtained under the former licence cannot be prevented.
                                                                          Required software
                                                                          Required softwareIf applicable, indicat" "e the name and version of the software required to access research data.
                                                                          " msgstr "" "

                                                                          Caractériser chaque ensemble de matériel de recherche qui ser" "a partagé avec d’autres chercheurs ou auprès d’un pu" -"blic élargi selon les dimensions suivantes.

                                                                          -\n" -" -\n" -" -\n" -" -\n" +"blic élargi selon les dimensions suivantes.

                                                                          \n" +"
                                                                          \n" +" \n" +" \n" " -\n" +"? \n" " -\n" -" -\n" +"> \n" +" \n" +" \n" " -\n" +"
                                                                          \n" " -\n" -" -\n" +"> \n" +" \n" +" \n" " -\n" +"ong>
                                                                          \n" " -\n" -" -\n" -" -\n" +"ire exige une forme de partage du matériel de recherche \n" +" \n" +" \n" " -\n" +"ng>
                                                                          \n" " -\n" -" -\n" -" -\n" +") \n" +" \n" +" \n" " -\n" -" \n" +" -\n" -" -\n" -" -\n" +"nformation décrivant le matériel de recherche) \n" +" \n" +" \n" +" \n" +" \n" " -\n" +"ong>
                                                                          \n" " -\n" -" -\n" -" -\n" +"eacute;ré sous l’ancienne licence. \n" +" \n" +" \n" " -\n" +"
                                                                          \n" " -\n" -" -\n" -" -\n" +"tériel de recherche. \n" +" \n" +" \n" "
                                                                          Y a-t-il des données sensibles" -"?Si oui, expliquer" " si cela limite l’accès. Référer au besoin à" " la section Conformité &eacu" "te;thique et juridique. -\n" -"
                                                                          Le matériel de recherche est-i" "l assujetti à une propriété intellectuelle?" -"
                                                                          Si oui, expliquer" " si cela limite l’accès. Référer au besoin à" " la section Conformité éthique et juridique. -\n" -"
                                                                          Exigence de partage
                                                                          Oui ou non, selon" " qu’une politique institutionnelle ou que l’organisme subventionna" -"ire exige une forme de partage du matériel de recherche
                                                                          Public visé
                                                                          (ex. : chercheurs" " en histoire, chercheurs de diverses disciplines, public général" -")
                                                                          Niveau de traitement
                                                                          -\n" +"trong>
                                                                          \n" "

                                                                          Indiquer si le matériel est partag&e" "acute; dans sa forme brute, traitée, analysée ou finale, ou si s" "eulement les métadonnées peuvent être partagées. Ce" "s choix de niveau de traitement ne sont pas mutuellement exclusifs.

                                                                          -\n" -"
                                                                            -\n" +"n>

                                                                            \n" +"
                                                                              \n" "
                                                                            • Forme brute (ex.: matériel" -" obtenu directement, du terrain, d’un entretien)
                                                                            • -\n" +" obtenu directement, du terrain, d’un entretien) \n" "
                                                                            • Forme traitée (ex.: manipu" "lation effectuée pour rendre le matériel prêt pour l&rsquo" -";analyse ou pour désidentifier les personnes)
                                                                            • -\n" +";analyse ou pour désidentifier les personnes) \n" "
                                                                            • Forme analysée (ex. : mat&" "eacute;riel résultant d’une analyse qualitative ou quantitative s" -"uivant une méthodologie et un cadre conceptuel)
                                                                            • -\n" +"uivant une méthodologie et un cadre conceptuel) \n" "
                                                                            • Forme finale (ex.: matérie" -"l de recherche préparé pour sa préservation)
                                                                            • -" +"l de recherche préparé pour sa préservation) " "\n" "
                                                                            • Métadonnées (ex.: i" -"nformation décrivant le matériel de recherche)
                                                                            • -\n" -"
                                                                            -\n" -"
                                                                          Licence d’utilisation
                                                                          Le détente" "ur de la propriété intellectuelle sur le matériel de rech" "erche devrait attribuer une licence afin de clarifier les utilisations qui peu" @@ -3944,23 +3055,16 @@ msgstr "" "mons (lien en anglais). Note : une fois la licence attribu&e" "acute;e, même si on la change par la suite, on ne peut pas empêche" "r l’utilisation du matériel qui a été récup&" -"eacute;ré sous l’ancienne licence.
                                                                          Logiciel requis" -"
                                                                          Indiquer le nom d" "u logiciel et sa version, si un tel outil est requis pour accéder au ma" -"tériel de recherche.
                                                                          " msgid "" @@ -4290,25 +3394,6 @@ msgid "" "What will you do to ensure that your research data contributions (syntax, outp" "ut etc…) in your RDC project folder and (if applicable) your external a" "nalysis are properly documented, organized and accessible?" -<<<<<<< HEAD -msgstr "" -"Que ferez-vous pour vous assurer que vos contributions de données de re" -"cherche (syntaxe, résultats, etc.) dans votre dossier de projet du CDR " -"et votre analyse externe (le cas échéant) sont correctement docu" -"mentées, organisées et accessibles ?" - -msgid "" -"Will you deposit your syntax and other researc" -"h data in a repository to host your syntax files publicly? If so, please descr" -"ibe here:" -msgstr "" -"Allez-vous déposer vos données syntaxiques et autres donné" -";es de recherche dans un dépôt pour héberger vos fichiers " -"de syntaxe publiquement ? Le cas échéant, veuillez l&rsqu" -"o;indiquer ici :" - -msgid "" -======= msgstr "" "Que ferez-vous pour vous assurer que vos contributions de données de re" "cherche (syntaxe, résultats, etc.) dans votre dossier de projet du CDR " @@ -4326,7 +3411,6 @@ msgstr "" "o;indiquer ici :" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "If you feel there are any additional sharing a" "nd reuse concerns related to your project please describe them here:" msgstr "" @@ -4342,8 +3426,7 @@ msgid "" "the researcher’s choosing as described in question 5. If you plan to do " "any supplemental storage or curation of your research data, please comment on " "where the responsibility for curation and maintenance of the archive resides.<" -"/span>

                                                                          -\n" +"/span>

                                                                          \n" "

                                                                          Will any resources be required for this curation and maintenance? If so, pl" "ease estimate the overall data management costs.

                                                                          " msgstr "" @@ -4367,6 +3450,9 @@ msgstr "" "Si vous estimez qu’il y a d’autres exigences légales ou &ea" "cute;thiques pour votre projet, veuillez les décrire ici." +msgid "test area" +msgstr "" + msgid "" "What file formats will your data be collected in? Will these formats allow for" " data re-use, sharing and long-term access to the data?" @@ -4550,7 +3636,6 @@ msgstr "" msgid "What metadata standard will you use?" msgstr "Quelle norme de métadonnées utiliserez-vous ?" -<<<<<<< HEAD msgid "How and where will you store and back up digital data during your project?" msgstr "" @@ -4741,176 +3826,12 @@ msgstr "" msgid "" "Describe the proposed dissemination strategy to communicate the existence of t" "he research data to its target audiences." -======= - -msgid "How and where will you store and back up digital data during your project?" msgstr "" -"À quel endroit et de quelle manière allez-vous stocker et sauveg" -"arder vos données numériques pendant le projet ?" +"Décrire la stratégie de diffusion envisagée pour faire co" +"nnaître l’existence du matériel de recherche auprès " +"de ses publics." -msgid "Where will you preserve your research data for the long-term, if needed?" -msgstr "" -"Où allez-vous préserver vos données de recherche à" -" long terme, si nécessaire?" - -msgid "" -"Will you need to share some data with restricted access? What restrictions wil" -"l you apply?" -msgstr "" -"Aurez-vous besoin de partager des données dont l’accès est" -" limité ? Quelles restrictions appliquerez-vous ?" - -msgid "" -"If responsibility for research data management needs to be transferred to othe" -"r individuals or organizations, who will assume responsibility and how?" -msgstr "" -"Si vous devez confier la gestion des données à d’autres in" -"dividus ou organisations, qui entreprendra cette responsabilité " -"? De quelle manière ?" - -msgid "" -"What ethical and legal issues will affect your data? How will you address them" -"?" -msgstr "" -"Quels aspects éthiques et juridiques ont un impact sur vos donné" -"es ? Quelles mesures prendrez-vous pour les respecter ?" - -msgid "" -"Are there any existing data that you can re-use and that will provide insight " -"or answer any of your research questions? If so, please explain how you will o" -"btain these data and integrate them into your research project." -msgstr "" -"Existe-t-il des données que vous pouvez réutiliser qui ré" -"pondront à l’une de vos questions de recherche ? Si oui, v" -"euillez expliquer comment vous obtiendrez ces données et les inté" -";grerez dans votre projet de recherche." - -msgid "" -"Describe the file naming conventions that will be used in order to support qua" -"lity assurance and version-control of your files and to help others understand" -" how your data are organized." -msgstr "" -"Décrivez les conventions de nomenclature des fichiers qui seront utilis" -"ées afin de soutenir l’assurance qualité et la gestion des" -" versions de vos fichiers et d’aider les autres à comprendre comm" -"ent vos données sont organisées." - -msgid "" -"Describe how members of the research team will" -" securely access and work with data during the active phases of the research p" -"roject. " -msgstr "" -"Décrivez comment les membres de l’équipe de recherche acc&" -"eacute;deront aux données et travailleront avec elles en toute sé" -";curité pendant les phases actives du projet de recherche." - -msgid "" -"Describe where you will preserve your data for" -" long-term preservation, including any research data repositories that you may" -" be considering to use. If there are any costs associated with the preservatio" -"n of your data, include those details." -msgstr "" -"Décrivez l’endroit où vous conserverez vos données " -"pour une conservation à long terme, y compris les dépôts d" -"e données de recherche que vous envisagez d’utiliser. Si la conse" -"rvation de vos données entraîne des coûts, précisez-" -"les." - -msgid "" -"Describe whether there will be any restriction" -"s placed on your data when they are made available and who may access them. If" -" data are not openly available, describe the process for gaining access" -"." -msgstr "" -"Décrivez si des restrictions seront imposées à vos donn&e" -"acute;es lorsqu’elles seront rendues disponibles et qui pourra y acc&eac" -"ute;der. Si les données ne sont pas disponibles publiquement, dé" -"crivez la procédure à suivre pour y avoir accès." - -msgid "" -"How will responsibilities for managing data ac" -"tivities be handled if substantive changes happen in the personnel overseeing " -"the project's data, including a change of Principal Investigator?" -msgstr "" -"Comment seront traitées les responsabilités de gestion des activ" -"ités liées aux données si des changements importants surv" -"iennent au sein du personnel chargé de superviser les données du" -" projet, notamment un changement de chercheur principal ?" - -msgid "" -"How will you manage legal, ethical, and intell" -"ectual property issues?" -msgstr "" -"Comment allez-vous gérer les questions juridiques, éthiques et d" -"e propriété intellectuelle ?" - -msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list them here. Explain the rationale for the selection of thes" -"e standards." -msgstr "" -"Si vous utilisez une norme de métadonnées ou des outils pour doc" -"umenter et décrire vos données, veuillez les énumé" -"rer ici. Expliquez la raison du choix de cette norme ou de ces outils." - -msgid "" -"What will be the primary production computing platform(s) (e.g., compute clust" -"ers, virtual clusters)?" -msgstr "" -"Quelle sera la principale plateforme ou quelles seront les principales platefo" -"rmes de calcul pour la production (par exemple, les grappes de calcul, les gra" -"ppes virtuelles) ?" - -msgid "" -"If your project includes sensitive data, how will you ensure that it is secure" -"ly managed and accessible only to approved members of the project?" -msgstr "" -"Si votre projet comporte des données sensibles, comment allez-vous fair" -"e en sorte qu’elles soient gérées de manière s&eacu" -"te;curisée et qu’elles soient accessibles uniquement aux membres " -"approuvés du projet ?" - -msgid "" -"Explain how the research data will be organized to facilitate understanding of" -" its organization." -msgstr "" -"Expliquer comment le matériel de recherche sera classé pour faci" -"liter la compréhension de son organisation." - -msgid "" -"What is the total cost for storage space in the active and semi-active phase o" -"f the project?" -msgstr "" -"Quel est le coût total à prévoir pour l’espace de st" -"ockage en phase active et semi-active du projet?" - -msgid "" -"

                                                                          Where will the research data be stored at the end of the research project?<" -"/p>" -msgstr "" -"

                                                                          Où le matériel de recherche sera-t-il hébergé &" -"agrave; la fin du projet de recherche?

                                                                          " - -msgid "" -"If research data sharing is desired and possible, what difficulties do you ant" -"icipate in dealing with the secondary use of sensitive data?" -msgstr "" -"Si un partage du matériel de recherche est souhaité et possible," -" quelles difficultés anticipez-vous pour traiter l’utilisation se" -"condaire de ces données sensibles ?" - -msgid "" -"Décrire la stratégie de diffusion envisagée pour faire co" -"nnaître l’existence du matériel de recherche auprès " -"de ses publics." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" -"Décrire la stratégie de diffusion envisagée pour faire co" -"nnaître l’existence du matériel de recherche auprès " -"de ses publics." - -<<<<<<< HEAD -msgid "Describe your succession plan to deal with significant disruptions." +msgid "Describe your succession plan to deal with significant disruptions." msgstr "" "Décrivez votre plan de relève pour gérer la survenue d&rs" "quo;incidents importants." @@ -5052,50 +3973,38 @@ msgstr "" msgid "" "Answer the following regarding file formats:
                                                                          -\n" -"
                                                                            -\n" +"span>
                                                                            \n" +"
                                                                              \n" "
                                                                            1. What file formats do you expect to collect" -" (e.g. .doc, .csv, .jpg, .mov)?
                                                                            2. -\n" +" (e.g. .doc, .csv, .jpg, .mov)? \n" "
                                                                            3. Are these file formats easy to share with " -"other researchers from different disciplines?
                                                                            4. -\n" +"other researchers from different disciplines? \n" "
                                                                            5. In the event that one of your chosen file " "formats becomes obsolete (or is no longer supported) how will you ensure acces" -"s to the research data?
                                                                            6. -\n" +"s to the research data? \n" "
                                                                            7. Does your data need to be copied to a new " "media or cloud platform, or converted to a different file format when you stor" -"e or publish your datasets?
                                                                            8. -\n" +"e or publish your datasets? \n" "
                                                                            " msgstr "" "Répondez aux questions suivantes concernant les formats de fichiers : -\n" -"
                                                                              -\n" +"r /> \n" +"
                                                                                \n" "
                                                                              1. E" "n quels formats de fichier collecterez-vous les données (p. ex. DOC, CS" -"V, JPG, MOV) ?
                                                                              2. -\n" +"V, JPG, MOV) ? \n" "
                                                                              3. C" "es formats de fichiers sont-ils faciles à partager avec d’autres " -"chercheurs de différentes disciplines ? 
                                                                              4. -\n" +"chercheurs de différentes disciplines ?  \n" "
                                                                              5. i" " l’un des formats de fichier que vous avez choisis devient désuet" " (ou n’est plus pris en charge), comment allez-vous garantir l’acc" -"ès aux données de recherche ? 
                                                                              6. -\n" +"ès aux données de recherche ?  \n" "
                                                                              7. V" "os données doivent-elles être copiées sur un nouveau m&eac" "ute;dia ou une plateforme infonuagique, ou converties dans un format de fichie" "r différent lorsque vous stockez ou publiez vos ensembles de donn&eacut" -"e;es ?
                                                                              8. -\n" +"e;es ? \n" "
                                                                              " msgid "" @@ -5215,6 +4124,9 @@ msgstr "" "projet de recherche ? Le cas échéant, veuillez les d&eacu" "te;crire ici.

                                                                              " +msgid "test checkout" +msgstr "" + msgid "" "What conventions and procedures will you use to structure, name and version-co" "ntrol your files to help you and others better understand how your data are or" @@ -5314,4125 +4226,3350 @@ msgstr "" ";es tout au long du projet ? " msgid "" -======= -msgid "What is an overall cost estimate for the management of research materials?" +"What restrictions are placed on your data that" +" would prohibit it from being made publicly available?" msgstr "" -"Qu'est-ce que l'estimation globale du coût de la gestion du matér" -"iel de recherche?" +"Quelles restrictions imposées à " +"vos données limiteraient le partage public des données ?<" +"/span>" msgid "" -"What documentation strategy will enable you to regularly document the research" -" data throughout the project?" +"Will you utilize any existing code to develop " +"this software/technology? " msgstr "" -"Quelle stratégie de documentation vous permettra de documenter ré" -";gulièrement le matériel de recherche tout au long du projet?" +"Utiliserez-vous un code existant pour dé" +";velopper ce logiciel ou cette technologie ? " msgid "" -"If research data sharing is desired and possible, what strategies will" -" you implement to address the secondary use of sensitive data?" +"How will you track changes to code and depende" +"ncies?" msgstr "" -"Si un partage du matériel de recherche est souhaité et possible " -"(voir section Partage), quelles stratégies allez-vous " -"mettre en œuvre pour traiter l’utilisation secondaire de " -"ces données sensibles ?" +"Comment allez-vous suivre les modifications du" +" code et des dépendances ?" msgid "" -"Describe the proposed dissemination strategy to communicate the existence of t" -"he research data to its target audiences." -msgstr "" -"Décrire la stratégie de diffusion envisagée pour faire co" -"nnaître l’existence du matériel de recherche auprès " -"de ses publics." - -msgid "Describe your succession plan to deal with significant disruptions." +"Are there restrictions on how you can share yo" +"ur software/technology related to patents, copyright, or intellectual property" +"?" msgstr "" -"Décrivez votre plan de relève pour gérer la survenue d&rs" -"quo;incidents importants." +"Existe-t-il des restrictions sur la mani&egrav" +"e;re dont vous pouvez partager votre logiciel ou technologie par rapport aux b" +"revets, droits d’auteur ou propriété intellectuelle&thinsp" +";?" msgid "" -"Please describe the collection process for the" -" supplemental or external data that will be part of your project." +"Where will your data be stored during the data analysis phase?" msgstr "" -"Veuillez décrire le processus de collecte des données suppl&eacu" -"te;mentaires ou externes qui feront partie de votre projet." +"À quel endroit allez-vous stocker vos d" +"onnées pendant la phase d’analyse des données&thi" +"nsp;?" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder (and if applicable that created for your external ana" -"lysis) is created consistently throughout your project?" +"What ethical guidelines or constraints are app" +"licable to your data?" msgstr "" -"Comment ferez-vous en sorte que la syntaxe archivée dans votre dossier " -"de projet (et celle créée pour votre analyse externe, le cas &ea" -"cute;chéant) est créée de manière cohérente" -" tout au long de votre projet ?" +"Quelles directives ou contraintes éthiq" +"ues s’appliquent à vos données ?" msgid "" -"How and where will your data be stored and bac" -"ked up during your research project?" +"Who will have access to your data throughout t" +"he project? Describe each collaborator’s responsibilities in relation to" +" having access to the data." msgstr "" -"De quelle manière et à quel endroit vos données seront-el" -"les stockées et sauvegardées pendant votre projet de recherche&t" -"hinsp;?" +"Qui aura accès à vos donné" +";es tout au long du projet ? Décrivez les responsabilités" +" de chaque collaborateur en ce qui concerne l’accès aux donn&eacu" +"te;es." msgid "" -"What type of end-user license will these share" -"d data fall under?" +"What restrictions are placed on your data that" +" would limit public data sharing?" msgstr "" -"Quel type de licence d’utilisateur final sera attribué à c" -"es données partagées ?" +"Quelles restrictions imposées à " +"vos données limiteraient le partage public des données ?<" +"/span>" msgid "" -"For the supplemental/external data, how will r" -"esponsibilities for managing data activities be handled if substantive changes" -" happen in the personnel overseeing the project's data, including a change of " -"Principal Investigator?" +"How will you digitally document artwork, artistic processes, and other non-dig" +"ital data? What conditions, hardware, software, and skills will you need?" msgstr "" -"Pour les données externes/supplémentaires, comment seront trait&" -"eacute;es les responsabilités en matière de gestion des activit&" -"eacute;s liées aux données si des changements importants intervi" -"ennent au sein du personnel chargé de superviser les données du " -"projet, notamment un changement de chercheur principal ?" +"Comment prévoyez-vous de documenter sous forme numérique les &oe" +"lig;uvres, processus artistiques ou autres données non numérique" +"s ? Quels types de conditions, matériel, logiciels et comp&eacut" +"e;tences vous faut-il ?" -msgid "" -"If applicable, what strategies will you undert" -"ake to address secondary uses of sensitive data?" +msgid "How will you consistently create metadata during your project?" msgstr "" -"Quelles stratégies allez-vous mettre en œuvre pour traiter les ut" -"ilisations secondaires des données sensibles, le cas éché" -"ant ?" +"Comment créerez-vous des métadonnées concordantes pendant" +" votre projet ?" -msgid "" -"What types of data will you collect, create, link to, acquire and/or record? P" -"lease be specific, including:" +msgid "How will you store non-digital data during your project?" msgstr "" -"Quels types de données allez-vous collecter, créer, relier, acqu" -"érir ou enregistrer ? Veuillez préciser, notamment :" +"Comment stockerez-vous vos données non numériques pendant votre " +"projet ?" -msgid "" -"

                                                                              What conventions and procedures will you use to structure, name and version" -"-control your files to help you and others better understand how your data are" -" organized?

                                                                              " +msgid "How will you ensure your digital data is preservation ready?" msgstr "" -"

                                                                              Quelles conventions et procédures utiliserez-vous pour structurer, nommer e" -"t gérer les versions de vos fichiers pour vous aider et aider les autres à mie" -"ux comprendre comment vos données sont organisées?

                                                                              " - -msgid "

                                                                              How will you describe samples collected?

                                                                              " -msgstr "

                                                                              Comment allez-vous décrire les échantillons prélevés?

                                                                              " +"Comment allez-vous vous assurerer que vos données sont prêtes &ag" +"rave; être préservées ?" msgid "" -"

                                                                              How and where will your data be stored and backed up during your research p" -"roject?

                                                                              " +"Who owns the data you will use in your project? Will the ownership of these da" +"ta affect their sharing and reuse?" msgstr "" -"

                                                                              Comment et où vos données seront-elles stockées et sauvegardées pendant vot" -"re projet de recherche?

                                                                              " +"À qui appartiennent les données de votre projet ? Le droi" +"t de propriété pourrait-il avoir un impact sur le partage et la " +"réutilisation des données ?" -msgid "Are there restrictions on sharing due to ethics or legal constraints?" +msgid "" +"What resources will you need to implement your data management plan? How much " +"will they cost?" msgstr "" -"Y a-t-il des restrictions au partage en raison de contraintes éthiques " -"ou juridiques ?" +"Quelles ressources vous faut-il pour mettre en œuvre le plan de gestion " +"des données ? Combien cela pourrait-il coûter ?" msgid "" -"

                                                                              What file formats will your data be collected in? Will these formats allow " -"for data re-use, sharing and long-term access to the data?

                                                                              " +"If your project includes sensitive data, how will you ensure they are securely" +" managed and accessible only to approved individuals during your project?" msgstr "" -"

                                                                              Dans quels formats de fichiers vos données seront-elles collectées? Ces for" -"mats permettront-ils la réutilisation, le partage et l’accès à long terme aux " -"données?

                                                                              " +"Si votre projet inclut des données sensibles, quelles mesures prendrez-" +"vous pour les gérer de manière sécuritaire et faire en so" +"rte qu’elles soient uniquement accessibles aux personnes autorisé" +"es ?" msgid "" -"Indicate how you will ensure your data is preservation ready. Consider preserv" -"ation-friendly file formats, file integrity, and the inclusion of supporting d" -"ocumentation." +"

                                                                              It is important to identify and understand " +"as early as possible the methods which you will employ in collecting your data" +" to ensure that they will support your needs, including supporting the secure " +"collection of sensitive data if applicable.

                                                                              \n" +"

                                                                              Describe the method(s) that you will use to" +" collect your data.

                                                                              " msgstr "" -"Indiquez comment vous ferez en sorte que vos données soient prête" -"s pour la conservation. Pensez à des formats de fichiers faciles &agrav" -"e; conserver, à l’intégrité des fichiers et à" -"; l’inclusion de documents justificatifs." +"

                                                                              Il est important de spécifier et de comprendre le plus tôt pos" +"sible les méthodes que vous utiliserez pour collecter vos donnée" +"s afin de vous assurer qu’elles répondent à vos besoins, y" +" compris la collecte sécurisée de données sensibles, le c" +"as échéant.

                                                                              Décrivez les méthodes que v" +"ous utiliserez pour collecter vos données.

                                                                              " msgid "" -"Does this project involve the use or analysis of secondary data? What is the d" -"ata-sharing arrangement for these data?" +"Describe how you will ensure that documentatio" +"n and metadata are created, captured and, if necessary, updated consistently t" +"hroughout the research project." msgstr "" -"Ce projet nécessite-t-il l’utilisation ou l’analyse de donn" -"ées secondaires ? Décrivez les modalités de partag" -"e de ces données." +"Décrivez comment vous ferez en sorte que la documentation et les m&eacu" +"te;tadonnées soient créées, saisies et, si nécessa" +"ire, mises à jour de manière cohérente tout au long du pr" +"ojet de recherche." msgid "" -"How will you make sure that documentation is created or captured consistently " -"throughout your project? What approaches will be employed by the research team" -" to access, modify, and contribute data throughout the project?" +"Describe how much storage space you will requi" +"re during the active phases of the research project, being sure to take into a" +"ccount file versioning and data growth." +"" msgstr "" -"Comment ferez-vous en sorte que la documentation est soit créée " -"ou saisie de manière cohérente tout au long de votre projet&thin" -"sp;? Quelles approches seront utilisées par l’équipe de re" -"cherche pour accéder aux données, les modifier et y contribuer t" -"out au long du projet ?" +"Décrivez l’espace de stockage dont vous aurez besoin pendant les " +"phases actives du projet de recherche en tenant compte de la gestion des versi" +"ons de fichiers et de la croissance des données." msgid "" -"What steps will be taken to help the research community know that your researc" -"h data exist?" +"What type of end-user license will you include" +" with your data? " msgstr "" -"Quelles mesures seront prises pour faire savoir à la communauté " -"des chercheurs que vos données de recherche existent ?" +"Quel type de licence d’utilisateur final allez-vous choisir pour vos don" +"nées ?" msgid "" -"In the event that the PI leaves the project, who will replace them? Who will t" -"ake temporary responsibility until a new PI takes over?" +"What resources will you require to implement y" +"our data management plan? What do you estimate the overall cost for data manag" +"ement to be?" msgstr "" -"Qui remplacera le chercheur principal si celui-ci quitte le projet ? Qu" -"i assumera ses responsabilités temporairement jusqu’à l&rs" -"quo;arrivée d’un nouveau chercheur principal ?" +"De quelles ressources aurez-vous besoin pour mettre en œuvre votre plan " +"de gestion des données ? Quel est, selon vous, le coût glo" +"bal de la gestion des données ?" -msgid "" -"Answer the following regarding file formats:
                                                                              -\n" -"
                                                                                -\n" -"
                                                                              1. What file formats do you expect to collect" -" (e.g. .doc, .csv, .jpg, .mov)?
                                                                              2. -\n" -"
                                                                              3. Are these file formats easy to share with " -"other researchers from different disciplines?
                                                                              4. -\n" -"
                                                                              5. In the event that one of your chosen file " -"formats becomes obsolete (or is no longer supported) how will you ensure acces" -"s to the research data?
                                                                              6. -\n" -"
                                                                              7. Does your data need to be copied to a new " -"media or cloud platform, or converted to a different file format when you stor" -"e or publish your datasets?
                                                                              8. -\n" -"
                                                                              " +msgid "What are the technical details of each of the computational resources?" msgstr "" -"Répondez aux questions suivantes concernant les formats de fichiers : -\n" -"
                                                                                -\n" -"
                                                                              1. E" -"n quels formats de fichier collecterez-vous les données (p. ex. DOC, CS" -"V, JPG, MOV) ?
                                                                              2. -\n" -"
                                                                              3. C" -"es formats de fichiers sont-ils faciles à partager avec d’autres " -"chercheurs de différentes disciplines ? 
                                                                              4. -\n" -"
                                                                              5. i" -" l’un des formats de fichier que vous avez choisis devient désuet" -" (ou n’est plus pris en charge), comment allez-vous garantir l’acc" -"ès aux données de recherche ? 
                                                                              6. -\n" -"
                                                                              7. V" -"os données doivent-elles être copiées sur un nouveau m&eac" -"ute;dia ou une plateforme infonuagique, ou converties dans un format de fichie" -"r différent lorsque vous stockez ou publiez vos ensembles de donn&eacut" -"e;es ?
                                                                              8. -\n" -"
                                                                              " +"Quels sont les détails techniques de chacune des ressources de calcul&t" +"hinsp;?" msgid "" -"How will you undertake documentation of data collection, processing and analys" -"is, within your workflow to create consistent support material? Who will be re" -"sponsible for this task?" +"Describe how digital files will be named and how their version(s) will be cont" +"rolled to facilitate understanding of this organization." msgstr "" -"Comment allez-vous documenter la collecte, le traitement et l’analyse de" -"s données, dans le cadre de votre flux de travail, afin de créer" -" un matériel d’aide cohérent ? Qui sera responsable" -" de cette tâche ?" +"Expliquer comment les fichiers numériques seront nommés et comme" +"nt seront gérée(s) leur(s) version(s) pour faciliter la compr&ea" +"cute;hension de cette organisation." msgid "" -"What is your anticipated backup and storage schedule? How often will you save " -"your data, in what formats, and where?" +"What are the costs related to the choice of deposit location and data preparat" +"ion?" msgstr "" -"Quel calendrier de sauvegarde et de stockage envisagez-vous ? À " -"quelle fréquence, dans quels formats et à quel endroit sauvegard" -"erez-vous vos données ?" +"Des coûts sont-ils associés au choix du lieu de dépô" +"t et à la préparation des données?" msgid "" -"Is digital preservation a component of your pr" -"oject and do you need to plan for long-term archiving and preservation?" +"Are there legal and intellectual property issues that will limit the opening o" +"f data?" msgstr "" -"La préservation numérique est-elle une composante de votre proje" -"t et devez-vous planifier l’archivage et la préservation à" -" long terme ?" +"Des questions juridiques et de propriété intellectuelle vont-ell" +"es limiter l'ouverture des données ?" msgid "" -"Will you encounter protected or personally-identifiable information in your re" -"search? If so, how will you make sure it stays secure and is accessed by appro" -"ved team members only?" +"If applicable, indicate the metadata schema and tools used to document researc" +"h data." msgstr "" -"Dans le cadre de vos recherches, rencontrerez-vous des informations prot&eacut" -"e;gées ou identificatoires ? Le cas échéant, comme" -"nt vous assurerez-vous qu’elles restent sécurisées et que " -"leur accès soit réservé aux membres de l’équ" -"ipe approuvés uniquement ?" +"Le cas échéant, indiquer le schéma de métadonn&eac" +"ute;es et les outils utilisés pour documenter le matériel de rec" +"herche" msgid "" -"What are the anticipated storage requirements " -"for your project, in terms of storage space (in megabytes, gigabytes, terabyte" -"s, etc.)?" +"Des coûts sont-ils associés au choix du lieu de dépô" +"t et à la préparation des données?" msgstr "" -"Quels sont les besoins de stockage prévus pour votre projet, en mati&eg" -"rave;re d’espace de stockage (en mégaoctets, gigaoctets, té" -";raoctets, etc.) ?" +"Des coûts sont-ils associés au choix du lieu de dépô" +"t et à la préparation des données?" msgid "" -"If the project includes sensitive data, how wi" -"ll you ensure that it is securely managed and accessible only to approved memb" -"ers of the project?" +"What file formats will the supplementary data " +"be collected and processed in? Will these formats permit sharing and long-term" +" access to the data? How will you structure, name and version these files in a" +" way easily understood by others?" msgstr "" -"Si le projet comporte des données sensi" -"bles, comment allez-vous vous assurer qu’elles sont gérées" -" de manière sécurisée et accessibles uniquement aux membr" -"es du projet autorisés ?" +"Dans quels formats de fichier les données supplémentaires seront" +"-elles collectées et traitées ? Ces formats permettront-i" +"ls le partage des données et leur accès à long terme&thin" +"sp;? Comment allez-vous structurer et nommer ces fichiers et gérer leur" +"s versions de manière à ce qu’ils soient facilement compr&" +"eacute;hensibles par les autres ?" msgid "" -"What conventions, methods, and standards will " -"be used to structure, name and version-control your files to help you and othe" -"rs better understand how your data are organized? In other words, what types o" -"f metadata are being stored alongside the acquisition data? Ex: BIDS, NIDM." +"

                                                                              Please provide the information about the av" +"ailability of the metadata for your project here (both the RDC data and your e" +"xternal data). Some metadata for RDC datasets is available by contacting the R" +"DC analyst.

                                                                              \n" +"

                                                                              How will you ensure that the external/suppl" +"emental data are easily understood and correctly documented (including metadat" +"a)?

                                                                              " msgstr "" -"Quelles conventions, méthodes et normes seront utilisées pour st" -"ructurer, nommer et gérer les versions de vos fichiers afin de vous aid" -"er et aider les autres à mieux comprendre comment vos données so" -"nt organisées ? Autrement dit, quels types de métadonn&ea" -"cute;es sont stockés avec les données d’acquisition&thinsp" -";? Ex : BIDS, NIDM." +"

                                                                              Veuillez indiquer ici les informations conc" +"ernant la disponibilité des métadonnées pour votre projet" +" (les données des CDR et vos données externes). Certaines m&eacu" +"te;tadonnées pour les ensembles de données des CDR sont disponib" +"les en contactant l’analyste des CDR.

                                                                              \n" +"

                                                                              Comment allez-vous vous assurer que les don" +"nées externes/supplémentaires sont facilement compréhensi" +"bles et correctement documentées (y compris les métadonné" +"es)?

                                                                              " msgid "" -"

                                                                              If you are using a data management applicat" -"ion to manage data, please name which system. Describe the features of the app" -"lication that are important for this project in particular (ex. provenance tra" -"cking, versioning, QC, longitudinal design).

                                                                              " +"How will the research team and other collabora" +"tors access, modify, and contribute data throughout the project?" msgstr "" -"

                                                                              Si vous utilisez une application pour g&eac" -"ute;rer les données, veuillez indiquer le système utilisé" -". Décrivez les caractéristiques de l’application qui sont " -"particulièrement importantes pour ce projet (par exemple, suivi de la p" -"rovenance, gestion des versions, contrôle de la qualité, concepti" -"on longitudinale.

                                                                              " +"Comment l’équipe de recherche et les autres collaborateurs vont-i" +"ls accéder aux données, les modifier et y contribuer tout au lon" +"g du projet ?" msgid "" -"What type of repository or storage service are you considering as the host of " -"your shared data?" +"What steps will you take to help the research " +"community know that these data exist?" msgstr "" -"Quel type de dépôt ou de service de stockage envisagez-vous pour " -"l’hébergement de vos données partagées ?" +"Quelles mesures allez-vous prendre pour faire savoir à la communaut&eac" +"ute; des chercheurs que ces données existent ?" msgid "" -"If external data are used in this study, pleas" -"e provide the data license & data use agreement. " +"For the supplemental/external data, what resou" +"rces will you require to implement your data management plan for all your rese" +"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " +"overall cost for data management to be?" msgstr "" -"Si des données externes sont utilisées dans cette étude, " -"veuillez fournir l’accord de licence et d’utilisation des donn&eac" -"ute;es." +"Pour les données externes/supplémentaires, de quelles ressources" +" aurez-vous besoin pour mettre en œuvre votre plan de gestion des donn&e" +"acute;es pour toutes vos données de recherche (c’est-à-dir" +"e les données des CDR et les données externes/supplémenta" +"ires) ? Quel est, selon vous, le coût global de la gestion des do" +"nnées ?" msgid "" -"How will you make sure that the syntax archive" -"d in your project folder is created consistently throughout your project?" +"

                                                                              Where are you collecting or generating your data (i.e., study area)? Includ" +"e as appropriate the spatial boundaries, water source type and watershed name." +"

                                                                              " msgstr "" -"Comment ferez-vous en sorte que la syntaxe archivée dans votre dossier " -"de projet (et celle créée pour votre analyse externe, le cas &ea" -"cute;chéant) est créée de manière cohérente" -" tout au long de votre projet ?" +"

                                                                              Où recueillez-vous ou générez-vous vos données (c’est-à-dire la zone d’étud" +"e)? Indiquez, le cas échéant, les limites spatiales, le type de source d’eau e" +"t le nom du bassin versant.

                                                                              " -msgid "" -"

                                                                              Is there any other preservation that will b" -"e done as part of this research project? If so, please describe here." +msgid "

                                                                              How will you analyze and interpret the water quality data?

                                                                              " msgstr "" -"

                                                                              Utiliserez-vous d’autres mesures de conservation dans le cadre de ce " -"projet de recherche ? Le cas échéant, veuillez les d&eacu" -"te;crire ici.

                                                                              " +"

                                                                              Comment allez-vous analyser et interpréter les données sur la qualité de l’" +"eau?

                                                                              " msgid "" -"What conventions and procedures will you use to structure, name and version-co" -"ntrol your files to help you and others better understand how your data are or" -"ganized?" +"How will the research team and other collaborators access, modify and contribu" +"te data throughout the project? How will data be shared?" msgstr "" -"Quelles conventions et procédures utiliserez-vous pour structurer, nomm" -"er et gérer les versions de vos fichiers afin de vous aider et aider le" -"s autres à mieux comprendre comment vos données sont organis&eac" -"ute;es ?" +"Comment l’équipe de recherche et les autres collaborateurs vont-i" +"ls accéder aux données, les modifier et contribuer à cell" +"es-ci tout au long du projet ? Comment les données seront-elles " +"partagées ?" msgid "" -"If you are using a metadata standard and/or tools to document and describe you" -"r data, please list here." +"What data will you be sharing and in what form? (e.g., raw, processed, analyze" +"d, final)." msgstr "" -"Si vous utilisez une norme de métadonnées ou des outils pour doc" -"umenter et décrire vos données, veuillez les énumé" -"rer ici." +"Quelles données allez-vous partager et sous quelle forme les partagerez" +"-vous ? (brutes, traitées, analysées, finales)." msgid "" -"How will the research team and other collaborators access, modify, and contrib" -"ute data throughout the project?" +"What tools, devices, platforms, and/or software packages will be used to gener" +"ate and manipulate data during the project?" msgstr "" -"De quelle manière l’équipe de recherche et les autres coll" -"aborateurs vont-ils accéder aux données, les modifier et y contr" -"ibuer tout au long du projet ?" +"Quels outils, dispositifs, plateformes ou progiciels seront utilisés po" +"ur générer et manipuler les données au cours du projet&th" +"insp;?" msgid "" -"What steps will be taken to help the research community know that your data ex" -"ists?" +"

                                                                              If you are using a metadata standard and/or online tools to document and de" +"scribe your data, please list them here.

                                                                              " msgstr "" -"Quelles mesures prendrez-vous pour faire savoir aux autres chercheurs que vos " -"données existent ?" +"

                                                                              Si vous utilisez une norme de métadonnées ou des outils en li" +"gne pour documenter et décrire vos données, veuillez les é" +";numérer ici.

                                                                              " msgid "" -"What resources will you require to implement your data management plan? What d" -"o you estimate the overall cost for data management to be?" -msgstr "" -"De quelles ressources aurez-vous besoin pour mettre en œuvre votre plan " -"de gestion des données ? À combien estimez-vous le co&uci" -"rc;t global de la gestion des données ?" - -msgid "How will you manage legal, ethical, and intellectual property issues?" +"If you will use your own code or software in this project, describe your strat" +"egies for sharing it with other researchers." msgstr "" -"Comment allez-vous gérer les questions juridiques, éthiques et d" -"e propriété intellectuelle ?" +"Si vous utilisez votre propre code ou logiciel dans ce projet, décrivez" +" vos stratégies pour le partager avec d’autres chercheurs." msgid "" -"What data collection instrument or scales will" -" you use to collect the data?" +"List all expected resources for data management required to complete your proj" +"ect. What hardware, software and human resources will you need? What is your e" +"stimated budget?" msgstr "" -"Quel(s) instrument(s) de collecte de donn&eacu" -"te;es utiliserez-vous pour collecter les données ?" +"Énumérez toutes les ressources prévues pour la gestion de" +"s données nécessaires à la réalisation de votre pr" +"ojet. Quels matériels, quels logiciels et quelles ressources humaines v" +"ous faut-il ? Quel est votre budget prévisionnel ?" msgid "" -"What file formats will your data analysis file" -"s be saved in?" +"Answer the following regarding naming conventions:
                                                                              \n" +"
                                                                                \n" +"
                                                                              1. How will you structure, name and version-c" +"ontrol your files to help someone outside your research team understand how yo" +"ur data are organized?
                                                                              2. \n" +"
                                                                              3. Describe your ideal workflow for file shar" +"ing between research team members step-by-step.
                                                                              4. \n" +"
                                                                              5. What tools or strategies will you use to d" +"ocument your workflow as it evolves during the course of the project? \n" +"
                                                                              " msgstr "" -"Dans quels formats seront sauvegardés v" -"os fichiers d’analyse de données ?" +"Répondez aux questions suivantes concernant les conventions de dé" +";nomination :
                                                                              \n" +"
                                                                                \n" +"
                                                                              1. C" +"omment allez-vous structurer, nommer et gérer les versions de vos fichi" +"ers pour aider une personne en dehors de votre équipe de recherche &agr" +"ave; comprendre comment vos données sont organisées ?
                                                                              2. \n" +"
                                                                              3. &" +"Eacute;crivez étape par étape votre flux de travail idéal" +" pour le partage de fichiers entre les membres de l’équipe de rec" +"herche.
                                                                              4. \n" +"
                                                                              5. &" +"nbsp;Quels outils ou stratégies utiliserez-vous pour documenter votre f" +"lux de travail au fur et à mesure de son évolution au cours du p" +"rojet ?
                                                                              6. \n" +"
                                                                              " -msgid "" -"Who is the target population being investigate" -"d?" +msgid "Do you plan to use a metadata standard? What specific schema might you use?" msgstr "" -"Quelle est la population cible de l’enqu" -"ête ?" +"Envisagez-vous d’utiliser une norme de métadonnées " +"? Quel schéma spécifique pourriez-vous utiliser ?" msgid "" -"Where will your data be stored during the data analysis phase?" +"Keeping ethics protocol review requirements in mind, what is your intended sto" +"rage timeframe for each type of data (raw, processed, clean, final) within you" +"r team? Will you also store software code or metadata?" msgstr "" -"À quel endroit allez-vous stocker vos d" -"onnées pendant la phase d’analyse des données&thi" -"nsp;?" +"En fonction des exigences de l’examen déontologique des protocole" +"s, quel est le délai de conservation prévu pour chaque type de d" +"onnées (brutes, traitées, propres, définitives) au sein d" +"e votre équipe ? Allez-vous également stocker du code log" +"iciel ou des métadonnées ?" msgid "" -"Will your data be migrated to preservation for" -"mats?" +"What data will you be sharing publicly and in " +"what form (e.g. raw, processed, analyzed, final)?" msgstr "" -"Vos données seront-elles migrées" -" vers des formats de préservation ?" +"Quelles données allez-vous partager publiquement et sous quelle forme l" +"es partagerez-vous (par exemple, brutes, traitées, analysées, d&" +"eacute;finitives) ?" msgid "" -"What ethical guidelines or restraints are appl" -"icable to your data?" +"Before publishing or otherwise sharing a datas" +"et are you required to obscure identifiable data (name, gender, date of birth," +" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" +"re there any time restrictions for when data can be publicly accessible?" msgstr "" -"Quelles directives ou contraintes éthiq" -"ues s’appliquent à vos données ?" +"Avant de publier ou de partager un ensemble de données, êtes-vous" +" tenu de caviarder les données identificatoires (nom, sexe, date de nai" +"ssance, etc.) conformément aux lois de votre région ou à " +"votre protocole d’éthique ? Existe-t-il des restrictions t" +"emporelles concernant le moment où les données peuvent êtr" +"e rendues publiques ?" -msgid "" -"Who will have access to your data throughout t" -"he project? " +msgid "What anonymization measures are taken during data collection and storage?" msgstr "" -"Qui aura accès à vos donné" -";es tout au long du projet ? " +"Quelles sont les mesures d’anonymisation prises lors de la collecte et d" +"u stockage des données ?" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"What restrictions are placed on your data that" -" would prohibit it from being made publicly available?" +"Indicate how you will ensure your data, and an" +"y accompanying materials (such as software, analysis scripts, or other tools)," +" are preservation ready. " msgstr "" -"Quelles restrictions imposées à " -"vos données limiteraient le partage public des données ?<" -"/span>" +"Indiquez comment vous ferez en sorte que vos données et tout le contenu" +" connexe (tels que les logiciels, les scripts d’analyse ou d’autre" +"s outils) soient prêts à être préservés." msgid "" -"Will you utilize any existing code to develop " -"this software/technology? " +"Have you considered what type of end-user lice" +"nse to include with your data?" msgstr "" -"Utiliserez-vous un code existant pour dé" -";velopper ce logiciel ou cette technologie ? " +"Avez-vous réfléchi au type de li" +"cence d’utilisateur final pour vos données ?" msgid "" -"How will you track changes to code and depende" -"ncies?" +"Do any other legal, ethical, and intellectual " +"property issues require the creation of any special documents that should be s" +"hared with the data, e.g., a LICENSE.txt file?" msgstr "" -"Comment allez-vous suivre les modifications du" -" code et des dépendances ?" +"Est-ce que d’autres questions juridiques, éthiques et de propri&e" +"acute;té intellectuelle nécessitent la création de docume" +"nts spéciaux devant être partagés avec les données," +" par exemple un fichier LICENCE.txt ?" msgid "" -"Are there restrictions on how you can share yo" -"ur software/technology related to patents, copyright, or intellectual property" -"?" +"Some metadata is available by contacting the R" +"DC analyst. Is the metadata for the data to be used in your analysis available" +" outside of the RDC? Please provide the information about the availability of " +"the metadata for your project here." msgstr "" -"Existe-t-il des restrictions sur la mani&egrav" -"e;re dont vous pouvez partager votre logiciel ou technologie par rapport aux b" -"revets, droits d’auteur ou propriété intellectuelle&thinsp" -";?" +"Certaines métadonnées sont disponibles en contactant l’ana" +"lyste des CDR. Les métadonnées des données à utili" +"ser dans votre analyse sont-elles disponibles en dehors du CDR ? Veuill" +"ez fournir les informations sur la disponibilité des métadonn&ea" +"cute;es pour votre projet ici." msgid "" -"Where will your data be stored during the data analysis phase?" +"

                                                                              If you are using a metadata standard and/or tools to document and describe " +"your data, please list here.

                                                                              " msgstr "" -"À quel endroit allez-vous stocker vos d" -"onnées pendant la phase d’analyse des données&thi" -"nsp;?" +"

                                                                              Si vous utilisez une norme de métadonnées ou des outils pour " +"documenter et décrire vos données, veuillez les énum&eacu" +"te;rer ici.

                                                                              " msgid "" -"What ethical guidelines or constraints are app" -"licable to your data?" +"Is your data collected longitudinally or at a " +"single point in time?" msgstr "" -"Quelles directives ou contraintes éthiq" -"ues s’appliquent à vos données ?" +"Vos données sont-elles collectée" +"s longitudinalement ou à un moment unique ?" msgid "" -"Who will have access to your data throughout t" -"he project? Describe each collaborator’s responsibilities in relation to" -" having access to the data." +"What coding scheme or methodology will you use" +" to analyze your data?" msgstr "" -"Qui aura accès à vos donné" -";es tout au long du projet ? Décrivez les responsabilités" -" de chaque collaborateur en ce qui concerne l’accès aux donn&eacu" -"te;es." +"Quel système ou quelle méthode d" +"e codage allez-vous utiliser pour analyser vos données ?" + +msgid "How is the population being sampled?" +msgstr "" +"Comment la population est-elle échantil" +"lonnée ?" msgid "" -"What restrictions are placed on your data that" -" would limit public data sharing?" +"What backup measures will be implemented to en" +"sure the safety of your data?" msgstr "" -"Quelles restrictions imposées à " -"vos données limiteraient le partage public des données ?<" -"/span>" +"Quelles mesures de sauvegarde seront mises en " +"œuvre pour garantir la sécurité de vos données&thin" +"sp;?" msgid "" -"How will you digitally document artwork, artistic processes, and other non-dig" -"ital data? What conditions, hardware, software, and skills will you need?" +"How long do you intend to keep your data after" +" the project is complete?" msgstr "" -"Comment prévoyez-vous de documenter sous forme numérique les &oe" -"lig;uvres, processus artistiques ou autres données non numérique" -"s ? Quels types de conditions, matériel, logiciels et comp&eacut" -"e;tences vous faut-il ?" +"Combien de temps comptez-vous conserver vos do" +"nnées une fois le projet terminé ?" -msgid "How will you consistently create metadata during your project?" +msgid "" +"What legal restraints are applicable to your d" +"ata (e.g., ownership)?" msgstr "" -"Comment créerez-vous des métadonnées concordantes pendant" -" votre projet ?" +"Quelles contraintes juridiques s’appliqu" +"ent à vos données (par exemple, la propriété)&thin" +"sp;?" -msgid "How will you store non-digital data during your project?" +msgid "" +"Will any new members be added or responsibilit" +"ies be transferred over the course of the study?" msgstr "" -"Comment stockerez-vous vos données non numériques pendant votre " -"projet ?" +"De nouveaux membres seront-ils ajoutés " +"ou des responsabilités seront-elles transférées au cours " +"de l’étude ?" -msgid "How will you ensure your digital data is preservation ready?" +msgid "Where will you share your data?" msgstr "" -"Comment allez-vous vous assurerer que vos données sont prêtes &ag" -"rave; être préservées ?" +"Où allez-vous partager vos donné" +"es ?" msgid "" -"Who owns the data you will use in your project? Will the ownership of these da" -"ta affect their sharing and reuse?" +"What test cases will you use to develop the so" +"ftware/technology?" msgstr "" -"À qui appartiennent les données de votre projet ? Le droi" -"t de propriété pourrait-il avoir un impact sur le partage et la " -"réutilisation des données ?" +"Quels cas de test utiliserez-vous pour d&eacut" +"e;velopper le logiciel ou la technologie ?" msgid "" -"What resources will you need to implement your data management plan? How much " -"will they cost?" +"Where will you share your software/technology?" +"" msgstr "" -"Quelles ressources vous faut-il pour mettre en œuvre le plan de gestion " -"des données ? Combien cela pourrait-il coûter ?" +"Où allez-vous partager votre logiciel o" +"u technologie ?" msgid "" -"If your project includes sensitive data, how will you ensure they are securely" -" managed and accessible only to approved individuals during your project?" +"What code you will be generating that should a" +"ccompany the data analysis file(s)?" msgstr "" -"Si votre projet inclut des données sensibles, quelles mesures prendrez-" -"vous pour les gérer de manière sécuritaire et faire en so" -"rte qu’elles soient uniquement accessibles aux personnes autorisé" -"es ?" +"Quel code allez-vous générer pou" +"r accompagner le(s) fichier(s) d’analyse des données ?" -msgid "" -"

                                                                              It is important to identify and understand " -"as early as possible the methods which you will employ in collecting your data" -" to ensure that they will support your needs, including supporting the secure " -"collection of sensitive data if applicable.

                                                                              -\n" -"

                                                                              Describe the method(s) that you will use to" -" collect your data.

                                                                              " +msgid "What file formats will your data be created and/or collected in?" msgstr "" -"

                                                                              Il est important de spécifier et de comprendre le plus tôt pos" -"sible les méthodes que vous utiliserez pour collecter vos donnée" -"s afin de vous assurer qu’elles répondent à vos besoins, y" -" compris la collecte sécurisée de données sensibles, le c" -"as échéant.

                                                                              Décrivez les méthodes que v" -"ous utiliserez pour collecter vos données.

                                                                              " +"Sous quel format de fichiers allez-vous créer ou recueillir vos donn&ea" +"cute;es ?" msgid "" -"Describe how you will ensure that documentatio" -"n and metadata are created, captured and, if necessary, updated consistently t" -"hroughout the research project." +"How will your research team and others transfer, access, and/or modify data du" +"ring your project?" msgstr "" -"Décrivez comment vous ferez en sorte que la documentation et les m&eacu" -"te;tadonnées soient créées, saisies et, si nécessa" -"ire, mises à jour de manière cohérente tout au long du pr" -"ojet de recherche." +"L’équipe de projet et les autres intervenants pourront-ils transf" +"érer ou modifier les données pendant votre projet, en plus d&rsq" +"uo;y accéder ?" -msgid "" -"Describe how much storage space you will requi" -"re during the active phases of the research project, being sure to take into a" -"ccount file versioning and data growth." -"" +msgid "What are your preservation needs for your non-digital data?" msgstr "" -"Décrivez l’espace de stockage dont vous aurez besoin pendant les " -"phases actives du projet de recherche en tenant compte de la gestion des versi" -"ons de fichiers et de la croissance des données." +"Quels sont vos besoins en matière de préservation pour vos donn&" +"eacute;es non numériques ?" -msgid "" -"What type of end-user license will you include" -" with your data? " +msgid "What type of end-user license will you include with your data?" msgstr "" -"Quel type de licence d’utilisateur final allez-vous choisir pour vos don" -"nées ?" +"Quel type de licence d’utilisateur inclurez-vous avec vos données" +" ?" msgid "" -"What resources will you require to implement y" -"our data management plan? What do you estimate the overall cost for data manag" -"ement to be?" +"If you will share sensitive data, what issues do you need to address? How will" +" you address them?" msgstr "" -"De quelles ressources aurez-vous besoin pour mettre en œuvre votre plan " -"de gestion des données ? Quel est, selon vous, le coût glo" -"bal de la gestion des données ?" +"Si vous partagez des données sensibles, quels enjeux devez-vous consid&" +"eacute;rer ? Quelles mesures prendrez-vous ?" -msgid "What are the technical details of each of the computational resources?" +msgid "" +"If interview and/or focus group audio recordings will be transcribed, describe" +" how this will securely occur, including if it will be performed internally to" +" the research team or externally (outsourced), and/or if any software and/or e" +"lectronic platforms or services will be used for transcribing." msgstr "" -"Quels sont les détails techniques de chacune des ressources de calcul&t" -"hinsp;?" +"Si des enregistrements audio d’entrevues ou de groupes de discussion ser" +"ont transcrits, décrivez comment cette transcription se fera en toute s" +"écurité, notamment si la transcription sera effectuée par" +" l’équipe de recherche ou en dehors de celle-ci (sous-trait&eacut" +"e;e), ou bien si un logiciel, des plateformes ou des services électroni" +"ques seront utilisés pour la transcription." msgid "" -"Describe how digital files will be named and how their version(s) will be cont" -"rolled to facilitate understanding of this organization." +"Describe any metadata standard(s) and/or tools" +" that you will use to support the describing and documenting of your data. " msgstr "" -"Expliquer comment les fichiers numériques seront nommés et comme" -"nt seront gérée(s) leur(s) version(s) pour faciliter la compr&ea" -"cute;hension de cette organisation." +"Décrivez les normes et les outils de métadonnées que vous" +" utiliserez pour décrire et documenter vos données." msgid "" -"What are the costs related to the choice of deposit location and data preparat" -"ion?" +"What large-scale data analysis framework (and associated technical specificati" +"ons) will be used?" msgstr "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +"Quel cadre d’analyse des données à grande échelle (" +"et spécifications techniques connexes) sera utilisé ?" + +msgid "Under what licence do you plan to release your data?" +msgstr "Sous quelle licence comptez-vous publier vos données ?" msgid "" -"Are there legal and intellectual property issues that will limit the opening o" -"f data?" -<<<<<<< HEAD +"Where will you deposit your data and software for preservation and access at t" +"he end of your research project?" msgstr "" -"Des questions juridiques et de propriété intellectuelle vont-ell" -"es limiter l'ouverture des données ?" +"À quel endroit déposerez-vous vos données et logiciels po" +"ur la conservation et l’accès à la fin de votre projet de " +"recherche ?" msgid "" -"If applicable, indicate the metadata schema and tools used to document researc" -"h data." +"Describe the quality assurance process in place to ensure data quality and com" +"pleteness during data operations (observation, recording, processing, analysis" +")." msgstr "" -"Le cas échéant, indiquer le schéma de métadonn&eac" -"ute;es et les outils utilisés pour documenter le matériel de rec" -"herche" +"Décrivez le processus d’assurance qualité en place pour as" +"surer la qualité et l’intégrité des données " +"lors des opérations effectuées sur celles-ci (observation, enreg" +"istrement, traitement, analyse)." msgid "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +"If you feel there are any other legal or ethic" +"al requirements for your project please describe them here:" msgstr "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +"Si vous estimez qu’il y a d’autres exigences légales ou &ea" +"cute;thiques pour votre projet, veuillez les décrire ici :" msgid "" -======= +"Are you using third party data? If so, describe the source of the data includi" +"ng the owner, database or repository DOIs or accession numbers." msgstr "" -"Des questions juridiques et de propriété intellectuelle vont-ell" -"es limiter l'ouverture des données ?" +"Utilisez-vous des données de tiers ? Si oui, décrivez la " +"source des données, y compris le propriétaire, les identificateu" +"rs d’objets numériques (DOI) ou les numéros d’acc&eg" +"rave;s de la base de données ou du dépôt." -msgid "" -"If applicable, indicate the metadata schema and tools used to document researc" -"h data." +msgid "How will you manage other legal, ethical, and intellectual property issues?" msgstr "" -"Le cas échéant, indiquer le schéma de métadonn&eac" -"ute;es et les outils utilisés pour documenter le matériel de rec" -"herche" +"Comment allez-vous gérer les autres questions juridiques, éthiqu" +"es et celles de propriété intellectuelle ?" msgid "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +"

                                                                              What kind of Quality Assurance/Quality Control procedures are you planning " +"to do?

                                                                              " msgstr "" -"Des coûts sont-ils associés au choix du lieu de dépô" -"t et à la préparation des données?" +"

                                                                              Quel type de procédures d’assurance et de contrôle de la qualité envisagez-" +"vous de mettre en place?

                                                                              " msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"What file formats will the supplementary data " -"be collected and processed in? Will these formats permit sharing and long-term" -" access to the data? How will you structure, name and version these files in a" -" way easily understood by others?" +"Will you deposit your data for long-term preservation and access at the end of" +" your research project? Please indicate any repositories that you will use." msgstr "" -"Dans quels formats de fichier les données supplémentaires seront" -"-elles collectées et traitées ? Ces formats permettront-i" -"ls le partage des données et leur accès à long terme&thin" -"sp;? Comment allez-vous structurer et nommer ces fichiers et gérer leur" -"s versions de manière à ce qu’ils soient facilement compr&" -"eacute;hensibles par les autres ?" +"Au terme de votre projet de recherche, déposerez-vous vos donnée" +"s pour les conserver et y accéder à long terme ? Veuillez" +" indiquer les dépôts que vous utiliserez." msgid "" -"

                                                                              Please provide the information about the av" -"ailability of the metadata for your project here (both the RDC data and your e" -"xternal data). Some metadata for RDC datasets is available by contacting the R" -"DC analyst.

                                                                              -\n" -"

                                                                              How will you ensure that the external/suppl" -"emental data are easily understood and correctly documented (including metadat" -"a)?

                                                                              " +"Describe the data flow through the entire project. What steps will you take to" +" increase the likelihood that your results will be reproducible?" msgstr "" -"

                                                                              Veuillez indiquer ici les informations conc" -"ernant la disponibilité des métadonnées pour votre projet" -" (les données des CDR et vos données externes). Certaines m&eacu" -"te;tadonnées pour les ensembles de données des CDR sont disponib" -"les en contactant l’analyste des CDR.

                                                                              \n" -"

                                                                              Comment allez-vous vous assurer que les don" -"nées externes/supplémentaires sont facilement compréhensi" -"bles et correctement documentées (y compris les métadonné" -"es)?

                                                                              " +"Décrivez le flux de données à travers l’ensemble du" +" projet. Quelles mesures allez-vous prendre pour augmenter la probabilit&eacut" +"e; que vos résultats soient reproductibles ?" msgid "" -"How will the research team and other collabora" -"tors access, modify, and contribute data throughout the project?" +"

                                                                              Which data (research and computational outputs) will be retained after the " +"completion of the project? Where will your research data be archived for the l" +"ong-term? Describe your strategies for long-term data archiving.

                                                                              " msgstr "" -"Comment l’équipe de recherche et les autres collaborateurs vont-i" -"ls accéder aux données, les modifier et y contribuer tout au lon" -"g du projet ?" +"

                                                                              Quelles données (résultats de recherche et de calcul) seront conservées apr" +"ès le projet? À quel endroit vos données de recherche seront-elles préservées " +"à long terme? Décrivez vos stratégies de préservation des données à long terme" +".

                                                                              " msgid "" -"What steps will you take to help the research " -"community know that these data exist?" +"How will you make sure that a) your primary data collection methods are docume" +"nted with transparency and b) your secondary data sources (i.e., data you did " +"not collect yourself) — are easily identified and cited?" msgstr "" -"Quelles mesures allez-vous prendre pour faire savoir à la communaut&eac" -"ute; des chercheurs que ces données existent ?" +"Comment ferez-vous en sorte que vos méthodes de collecte de donné" +";es primaires soient documentées avec transparence (a) et que vos sourc" +"es de données secondaires (c’est-à-dire les données" +" que vous n’avez pas collectées vous-même) soient facilemen" +"t identifiées et citées (b) ?" msgid "" -"For the supplemental/external data, what resou" -"rces will you require to implement your data management plan for all your rese" -"arch Data (i.e. RDC data and external/supplemental)? What do you estimate the " -"overall cost for data management to be?" +"Have you considered what type of end-user lice" +"nse to include with your data? " msgstr "" -"Pour les données externes/supplémentaires, de quelles ressources" -" aurez-vous besoin pour mettre en œuvre votre plan de gestion des donn&e" -"acute;es pour toutes vos données de recherche (c’est-à-dir" -"e les données des CDR et les données externes/supplémenta" -"ires) ? Quel est, selon vous, le coût global de la gestion des do" -"nnées ?" +"Avez-vous envisagé le type de licence d’utilisateur final à" +"; inclure dans vos données ?" msgid "" -"

                                                                              Where are you collecting or generating your data (i.e., study area)? Includ" -"e as appropriate the spatial boundaries, water source type and watershed name." -"

                                                                              " +"What is the time frame over which you are coll" +"ecting data?" msgstr "" -"

                                                                              Où recueillez-vous ou générez-vous vos données (c’est-à-dire la zone d’étud" -"e)? Indiquez, le cas échéant, les limites spatiales, le type de source d’eau e" -"t le nom du bassin versant.

                                                                              " +"Quelle est la période durant laquelle v" +"ous allez collecter les données ?" -msgid "

                                                                              How will you analyze and interpret the water quality data?

                                                                              " +msgid "" +"What quality assurance measures will be implem" +"ented to ensure the accuracy and integrity of the data? " msgstr "" -"

                                                                              Comment allez-vous analyser et interpréter les données sur la qualité de l’" -"eau?

                                                                              " +"Quelles mesures d’assurance de la qualit" +"é seront mises en œuvre pour garantir l’exactitude et l&rsq" +"uo;intégrité des données ?" -msgid "" -"How will the research team and other collaborators access, modify and contribu" -"te data throughout the project? How will data be shared?" +msgid "Is the population being weighted?" msgstr "" -"Comment l’équipe de recherche et les autres collaborateurs vont-i" -"ls accéder aux données, les modifier et contribuer à cell" -"es-ci tout au long du projet ? Comment les données seront-elles " -"partagées ?" +"La population est-elle pondérée&" +"thinsp;?" msgid "" -"What data will you be sharing and in what form? (e.g., raw, processed, analyze" -"d, final)." +"If your data contains confidential information" +", how will your storage method ensure the protection of this data?" msgstr "" -"Quelles données allez-vous partager et sous quelle forme les partagerez" -"-vous ? (brutes, traitées, analysées, finales)." +"Si vos données contiennent des informat" +"ions confidentielles, comment votre méthode de stockage assurera-t-elle" +" la protection de ces données ?" msgid "" -"What tools, devices, platforms, and/or software packages will be used to gener" -"ate and manipulate data during the project?" +"What procedures are in place to destroy the da" +"ta after the retention period is complete?" msgstr "" -"Quels outils, dispositifs, plateformes ou progiciels seront utilisés po" -"ur générer et manipuler les données au cours du projet&th" -"insp;?" +"Quelles mesures allez-vous prendre pour d&eacu" +"te;truire les données une fois la période de conservation termin" +"ée ?" msgid "" -"

                                                                              If you are using a metadata standard and/or online tools to document and de" -"scribe your data, please list them here.

                                                                              " +"What methods will be used to manage the risk o" +"f disclosure of participant information?" msgstr "" -"

                                                                              Si vous utilisez une norme de métadonnées ou des outils en li" -"gne pour documenter et décrire vos données, veuillez les é" -";numérer ici.

                                                                              " +"Quelles méthodes seront utilisée" +"s pour gérer le risque de divulgation d’information sur les parti" +"cipants ?" msgid "" -"If you will use your own code or software in this project, describe your strat" -"egies for sharing it with other researchers." +"If you have collected restricted data, what st" +"eps would someone requesting your data need to follow in order to access it?" msgstr "" -"Si vous utilisez votre propre code ou logiciel dans ce projet, décrivez" -" vos stratégies pour le partager avec d’autres chercheurs." +"Si vous avez collecté des donnée" +"s protégées, quelles sont les étapes qu’une personn" +"e doit suivre pour y accéder ?" msgid "" -"List all expected resources for data management required to complete your proj" -"ect. What hardware, software and human resources will you need? What is your e" -"stimated budget?" +"How will your software/technology and document" +"ation adhere to disability and/or accessibility guidelines?" msgstr "" -"Énumérez toutes les ressources prévues pour la gestion de" -"s données nécessaires à la réalisation de votre pr" -"ojet. Quels matériels, quels logiciels et quelles ressources humaines v" -"ous faut-il ? Quel est votre budget prévisionnel ?" +"Comment votre logiciel ou technologie et votre" +" documentation respecteront-ils les directives en matière de handicap o" +"u d’accessibilité ?" msgid "" -"Answer the following regarding naming conventions:
                                                                              -\n" -"
                                                                                -\n" -"
                                                                              1. How will you structure, name and version-c" -"ontrol your files to help someone outside your research team understand how yo" -"ur data are organized?
                                                                              2. -\n" -"
                                                                              3. Describe your ideal workflow for file shar" -"ing between research team members step-by-step.
                                                                              4. -\n" -"
                                                                              5. What tools or strategies will you use to d" -"ocument your workflow as it evolves during the course of the project? -\n" -"
                                                                              " +"What quality assurance measures will be implem" +"ented over the course of the study?" msgstr "" -"Répondez aux questions suivantes concernant les conventions de dé" -";nomination :
                                                                              -\n" -"
                                                                                -\n" -"
                                                                              1. C" -"omment allez-vous structurer, nommer et gérer les versions de vos fichi" -"ers pour aider une personne en dehors de votre équipe de recherche &agr" -"ave; comprendre comment vos données sont organisées ?
                                                                              2. -\n" -"
                                                                              3. &" -"Eacute;crivez étape par étape votre flux de travail idéal" -" pour le partage de fichiers entre les membres de l’équipe de rec" -"herche.
                                                                              4. -\n" -"
                                                                              5. &" -"nbsp;Quels outils ou stratégies utiliserez-vous pour documenter votre f" -"lux de travail au fur et à mesure de son évolution au cours du p" -"rojet ?
                                                                              6. -\n" -"
                                                                              " +"Quelles mesures d’assurance de la qualit" +"é seront mises en œuvre au cours de l’étude ?" +"" -msgid "Do you plan to use a metadata standard? What specific schema might you use?" +msgid "What are the variables being studied? " msgstr "" -"Envisagez-vous d’utiliser une norme de métadonnées " -"? Quel schéma spécifique pourriez-vous utiliser ?" +"Quelles sont les variables étudié" +";es ? " msgid "" -"Keeping ethics protocol review requirements in mind, what is your intended sto" -"rage timeframe for each type of data (raw, processed, clean, final) within you" -"r team? Will you also store software code or metadata?" +"What file naming conventions will you use in y" +"our study?" msgstr "" -"En fonction des exigences de l’examen déontologique des protocole" -"s, quel est le délai de conservation prévu pour chaque type de d" -"onnées (brutes, traitées, propres, définitives) au sein d" -"e votre équipe ? Allez-vous également stocker du code log" -"iciel ou des métadonnées ?" +"Quelles conventions de nomenclature des fichie" +"rs utiliserez-vous dans votre étude ?" msgid "" -"What data will you be sharing publicly and in " -"what form (e.g. raw, processed, analyzed, final)?" +"What steps will you take to destroy the data a" +"fter the retention period is complete?" msgstr "" -"Quelles données allez-vous partager publiquement et sous quelle forme l" -"es partagerez-vous (par exemple, brutes, traitées, analysées, d&" -"eacute;finitives) ?" +"Quelles mesures allez-vous prendre pour d&eacu" +"te;truire les données une fois la période de conservation termin" +"ée ?" msgid "" -"Before publishing or otherwise sharing a datas" -"et are you required to obscure identifiable data (name, gender, date of birth," -" etc), in accordance with your jurisdiction's laws, or your ethics protocol? A" -"re there any time restrictions for when data can be publicly accessible?" -msgstr "" -"Avant de publier ou de partager un ensemble de données, êtes-vous" -" tenu de caviarder les données identificatoires (nom, sexe, date de nai" -"ssance, etc.) conformément aux lois de votre région ou à " -"votre protocole d’éthique ? Existe-t-il des restrictions t" -"emporelles concernant le moment où les données peuvent êtr" -"e rendues publiques ?" - -msgid "What anonymization measures are taken during data collection and storage?" +"What practices will you use to structure, name, and version-control your files" +"?" msgstr "" -"Quelles sont les mesures d’anonymisation prises lors de la collecte et d" -"u stockage des données ?" +"Quelles pratiques suivrez-vous pour structurer, nommer et contrôler les " +"versions de vos fichiers ?" msgid "" -"Indicate how you will ensure your data, and an" -"y accompanying materials (such as software, analysis scripts, or other tools)," -" are preservation ready. " +"Are there data you will need or choose to destroy? If so, how will you destroy" +" them securely?" msgstr "" -"Indiquez comment vous ferez en sorte que vos données et tout le contenu" -" connexe (tels que les logiciels, les scripts d’analyse ou d’autre" -"s outils) soient prêts à être préservés." +"Pensez-vous devoir ou vouloir détruire certaines données " +"? Si oui, avez-vous réfléchi à une approche sécuri" +"taire ?" -msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data?" +msgid "How will researchers, artists, and/or the public find your data?" msgstr "" -"Avez-vous réfléchi au type de li" -"cence d’utilisateur final pour vos données ?" +"Comment les chercheurs, artistes ou membres du public pourront-ils trouver vos" +" données ?" msgid "" -"Do any other legal, ethical, and intellectual " -"property issues require the creation of any special documents that should be s" -"hared with the data, e.g., a LICENSE.txt file?" +"Describe how your data will be securely transferred, including from data colle" +"ction devices/platforms and, if applicable, to/from transcriptionists." msgstr "" -"Est-ce que d’autres questions juridiques, éthiques et de propri&e" -"acute;té intellectuelle nécessitent la création de docume" -"nts spéciaux devant être partagés avec les données," -" par exemple un fichier LICENCE.txt ?" +"Décrivez comment vos données seront transférées en" +" toute sécurité, notamment à partir de dispositifs ou de " +"plateformes de collecte de données et à destination ou en proven" +"ance des transcripteurs, le cas échéant." msgid "" -"Some metadata is available by contacting the R" -"DC analyst. Is the metadata for the data to be used in your analysis available" -" outside of the RDC? Please provide the information about the availability of " -"the metadata for your project here." +"What software tools will be utilized and/or developed for the proposed researc" +"h?" msgstr "" -"Certaines métadonnées sont disponibles en contactant l’ana" -"lyste des CDR. Les métadonnées des données à utili" -"ser dans votre analyse sont-elles disponibles en dehors du CDR ? Veuill" -"ez fournir les informations sur la disponibilité des métadonn&ea" -"cute;es pour votre projet ici." +"Quels outils logiciels seront utilisés ou créés pour la r" +"echerche proposée ?" -msgid "" -"

                                                                              If you are using a metadata standard and/or tools to document and describe " -"your data, please list here.

                                                                              " +msgid "Under what licence do you plan to release your software?" +msgstr "Sous quelle licence comptez-vous publier votre logiciel ?" + +msgid "What software code will you make available, and where?" msgstr "" -"

                                                                              Si vous utilisez une norme de métadonnées ou des outils pour " -"documenter et décrire vos données, veuillez les énum&eacu" -"te;rer ici.

                                                                              " +"Quel code de logiciel allez-vous rendre disponible et à quel endroit al" +"lez-vous le rendre disponible ?" -msgid "" -"Is your data collected longitudinally or at a " -"single point in time?" +msgid "What steps will you take to ensure your data is prepared for preservation?" msgstr "" -"Vos données sont-elles collectée" -"s longitudinalement ou à un moment unique ?" +"Quelles mesures prendrez-vous pour faire en sorte que vos données soien" +"t prêtes à être préservées ?" msgid "" -"What coding scheme or methodology will you use" -" to analyze your data?" +"What tools and strategies will you take to promote your research? How will you" +" let the research community and the public know that your data exists and is r" +"eady to be reused?" msgstr "" -"Quel système ou quelle méthode d" -"e codage allez-vous utiliser pour analyser vos données ?" +"Quels outils et stratégies allez-vous utiliser pour promouvoir votre re" +"cherche ? Comment ferez-vous savoir à la communauté des c" +"hercheurs et au public que vos données existent et sont prêtes &a" +"grave; être réutilisées ?" -msgid "How is the population being sampled?" +msgid "" +"What is the geographic location within the con" +"text of the phenomenon/experience where data will be gathered?" msgstr "" -"Comment la population est-elle échantil" -"lonnée ?" +"Quel est l’emplacement géographiq" +"ue dans lequel les données seront recueillies dans le contexte du ph&ea" +"cute;nomène ou de l’étude ?" msgid "" -"What backup measures will be implemented to en" -"sure the safety of your data?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study?" msgstr "" -"Quelles mesures de sauvegarde seront mises en " -"œuvre pour garantir la sécurité de vos données&thin" -"sp;?" +"Utiliserez-vous des acronymes ou des abr&eacut" +"e;viations dans votre étude ?" msgid "" -"How long do you intend to keep your data after" -" the project is complete?" +"What file naming conventions will be used to s" +"ave your data?" msgstr "" -"Combien de temps comptez-vous conserver vos do" -"nnées une fois le projet terminé ?" +"Quelles conventions de nomenclature des fichie" +"rs utiliserez-vous dans votre étude ?" msgid "" -"What legal restraints are applicable to your d" -"ata (e.g., ownership)?" +"What license will you apply to your data?" msgstr "" -"Quelles contraintes juridiques s’appliqu" -"ent à vos données (par exemple, la propriété)&thin" -"sp;?" +"Quelle licence utiliserez-vous pour vos donn&e" +"acute;es ?" msgid "" -"Will any new members be added or responsibilit" -"ies be transferred over the course of the study?" +"What dependencies will be used in the developm" +"ent of this software/technology?" msgstr "" -"De nouveaux membres seront-ils ajoutés " -"ou des responsabilités seront-elles transférées au cours " -"de l’étude ?" +"Quelles dépendances seront utilis&eacut" +"e;es dans le développement de ce logiciel ou technologie ?" -msgid "Where will you share your data?" +msgid "" +"What is the setting and geographic location of" +" where the data is being gathered?" msgstr "" -"Où allez-vous partager vos donné" -"es ?" +"Quels sont le contexte et la situation g&eacut" +"e;ographique du lieu où les données sont recueillies ?" msgid "" -"What test cases will you use to develop the so" -"ftware/technology?" +"Are there any acronyms or abbreviations that w" +"ill be used within your study that may be unclear to others?" msgstr "" -"Quels cas de test utiliserez-vous pour d&eacut" -"e;velopper le logiciel ou la technologie ?" +"Y a-t-il des acronymes ou des abréviati" +"ons qui seront utilisés dans le cadre de vos études et qui pourr" +"aient ne pas être clairs pour les autres ?" msgid "" -"Where will you share your software/technology?" -"" +"Describe all of the file formats that your data will exist in, including for t" +"he various versions of both survey and qualitative interview/focus group data." +" Will these formats allow for data re-use, sharing and long-term access to the" +" data?" msgstr "" -"Où allez-vous partager votre logiciel o" -"u technologie ?" +"Décrivez tous les formats de fichiers dans lesquels vos données " +"existeront, y compris pour les différentes versions des données " +"d’enquête et d’entrevue qualitative ou de groupe de discussi" +"on. Ces formats permettront-ils la réutilisation, le partage et l&rsquo" +";accès à long terme aux données ?" msgid "" -"What code you will be generating that should a" -"ccompany the data analysis file(s)?" +"What metadata/documentation do you need to provide for others to use your soft" +"ware?" msgstr "" -"Quel code allez-vous générer pou" -"r accompagner le(s) fichier(s) d’analyse des données ?" +"Quelles métadonnées/documentation devez-vous fournir pour que d&" +"rsquo;autres personnes puissent utiliser votre logiciel ?" -msgid "What file formats will your data be created and/or collected in?" -msgstr "" -"Sous quel format de fichiers allez-vous créer ou recueillir vos donn&ea" -"cute;es ?" +msgid "Describe your software sustainability plan." +msgstr "Décrivez votre plan de pérennité des logiciels." msgid "" -"How will your research team and others transfer, access, and/or modify data du" -"ring your project?" -msgstr "" -"L’équipe de projet et les autres intervenants pourront-ils transf" -"érer ou modifier les données pendant votre projet, en plus d&rsq" -"uo;y accéder ?" - -msgid "What are your preservation needs for your non-digital data?" +"

                                                                              List any metadata standard(s) and/or tools you will use to document and des" +"cribe your data:

                                                                              " msgstr "" -"Quels sont vos besoins en matière de préservation pour vos donn&" -"eacute;es non numériques ?" +"

                                                                              Indiquez toutes les normes et tous les outils pour les métadonnées que vous" +" utiliserez pour documenter et décrire vos données :

                                                                              " -msgid "What type of end-user license will you include with your data?" +msgid "What type of end-user license will you use for your data?" msgstr "" -"Quel type de licence d’utilisateur inclurez-vous avec vos données" -" ?" +"Quel type de licence d’utilisateur final utiliserez-vous pour vos donn&e" +"acute;es ?" msgid "" -"If you will share sensitive data, what issues do you need to address? How will" -" you address them?" +"What steps will be involved in the data collec" +"tion process?" msgstr "" -"Si vous partagez des données sensibles, quels enjeux devez-vous consid&" -"eacute;rer ? Quelles mesures prendrez-vous ?" +"Quelles seront les étapes du processus " +"de collecte des données ?" msgid "" -"If interview and/or focus group audio recordings will be transcribed, describe" -" how this will securely occur, including if it will be performed internally to" -" the research team or externally (outsourced), and/or if any software and/or e" -"lectronic platforms or services will be used for transcribing." +"What are the steps involved in the data collec" +"tion process?" msgstr "" -"Si des enregistrements audio d’entrevues ou de groupes de discussion ser" -"ont transcrits, décrivez comment cette transcription se fera en toute s" -"écurité, notamment si la transcription sera effectuée par" -" l’équipe de recherche ou en dehors de celle-ci (sous-trait&eacut" -"e;e), ou bien si un logiciel, des plateformes ou des services électroni" -"ques seront utilisés pour la transcription." +"Quelles sont les étapes du processus de" +" collecte des données ?" msgid "" -"Describe any metadata standard(s) and/or tools" -" that you will use to support the describing and documenting of your data. " +"If the metadata standard will be modified, please explain how you will modify " +"the standard to meet your needs." msgstr "" -"Décrivez les normes et les outils de métadonnées que vous" -" utiliserez pour décrire et documenter vos données." +"Si la norme des métadonnées doit être modifiée, exp" +"liquez comment vous allez modifier la norme pour satisfaire vos besoins." msgid "" -"What large-scale data analysis framework (and associated technical specificati" -"ons) will be used?" +"What software programs will you use to collect" +" the data?" msgstr "" -"Quel cadre d’analyse des données à grande échelle (" -"et spécifications techniques connexes) sera utilisé ?" - -msgid "Under what licence do you plan to release your data?" -msgstr "Sous quelle licence comptez-vous publier vos données ?" +"Quels logiciels utiliserez-vous pour collecter" +" les données ?" msgid "" -"Where will you deposit your data and software for preservation and access at t" -"he end of your research project?" +"How will you make sure that metadata is created or captured consistently throu" +"ghout your project?" msgstr "" -"À quel endroit déposerez-vous vos données et logiciels po" -"ur la conservation et l’accès à la fin de votre projet de " -"recherche ?" +"Comment allez-vous vous assurer que les métadonnées sont cr&eacu" +"te;ées ou saisies de manière cohérente tout au long de vo" +"tre projet ?" msgid "" -"Describe the quality assurance process in place to ensure data quality and com" -"pleteness during data operations (observation, recording, processing, analysis" -")." +"What file formats will you be generating durin" +"g the data collection phase?" msgstr "" -"Décrivez le processus d’assurance qualité en place pour as" -"surer la qualité et l’intégrité des données " -"lors des opérations effectuées sur celles-ci (observation, enreg" -"istrement, traitement, analyse)." +"Quels formats de fichiers allez-vous gé" +"nérer pendant la phase de collecte des données ?" msgid "" -"If you feel there are any other legal or ethic" -"al requirements for your project please describe them here:" +"What are the technical details of each of the storage and file systems you wil" +"l use during the active management of the research project?" msgstr "" -"Si vous estimez qu’il y a d’autres exigences légales ou &ea" -"cute;thiques pour votre projet, veuillez les décrire ici :" +"Quels sont les détails techniques de chacun des systèmes de stoc" +"kage et de fichiers que vous utiliserez pendant la gestion active du projet de" +" recherche ?" -msgid "" -"Are you using third party data? If so, describe the source of the data includi" -"ng the owner, database or repository DOIs or accession numbers." +msgid "What do you estimate the overall cost of managing your data will be?" msgstr "" -"Utilisez-vous des données de tiers ? Si oui, décrivez la " -"source des données, y compris le propriétaire, les identificateu" -"rs d’objets numériques (DOI) ou les numéros d’acc&eg" -"rave;s de la base de données ou du dépôt." +"À combien estimez-vous le coût global de la gestion de vos donn&e" +"acute;es ?" -msgid "How will you manage other legal, ethical, and intellectual property issues?" +msgid "" +"

                                                                              Examples: numeric, images, audio, video, text, tabular data, modeling data," +" spatial data, instrumentation data.

                                                                              " msgstr "" -"Comment allez-vous gérer les autres questions juridiques, éthiqu" -"es et celles de propriété intellectuelle ?" +"

                                                                              Exemples : données numériques, images, audio, vidéo, texte, données tabulai" +"res, données de modélisation, données spatiales, données d'instrumentation

                                                                              " msgid "" -"

                                                                              What kind of Quality Assurance/Quality Control procedures are you planning " -"to do?

                                                                              " +"

                                                                              Proprietary file formats requiring specialized software or hardware to use " +"are not recommended, but may be necessary for certain data collection or analy" +"sis methods. Using open file formats or industry-standard formats (e.g. those " +"widely used by a given community) is preferred whenever possible.

                                                                              \n" +"

                                                                              Read more about file formats: UBC Library or UK Data Service.

                                                                              " msgstr "" -"

                                                                              Quel type de procédures d’assurance et de contrôle de la qualité envisagez-" -"vous de mettre en place?

                                                                              " +"

                                                                              Les formats propriétaires nécessitant l'utilisation de logiciels ou de maté" +"riels spécialisés ne sont pas recommandés, mais peuvent être nécessaires pour " +"certaines méthodes d'analyse ou de collecte des données. L'utilisation de form" +"ats de fichier ouverts ou de formats conformes aux normes de l'industrie (p. e" +"x. les formats largement utilisés par une communauté donnée) est préférable da" +"ns la mesure du possible.

                                                                              Pour en savoir plus sur les formats de fichier, " +"consultez les sites suivants : UBC Library ou UK Data Archive" +".

                                                                              " msgid "" -"Will you deposit your data for long-term preservation and access at the end of" -" your research project? Please indicate any repositories that you will use." -msgstr "" -"Au terme de votre projet de recherche, déposerez-vous vos donnée" -"s pour les conserver et y accéder à long terme ? Veuillez" -" indiquer les dépôts que vous utiliserez." - -msgid "" -"Describe the data flow through the entire project. What steps will you take to" -" increase the likelihood that your results will be reproducible?" +"

                                                                              It is important to keep track of different copies or versions of files, fil" +"es held in different formats or locations, and information cross-referenced be" +"tween files. This process is called 'version control'.

                                                                              \n" +"

                                                                              Logical file structures, informative naming conventions, and clear indicati" +"ons of file versions, all contribute to better use of your data during and aft" +"er your research project.  These practices will help ensure that you and " +"your research team are using the appropriate version of your data, and minimiz" +"e confusion regarding copies on different computers and/or on different media." +"

                                                                              \n" +"

                                                                              Read more about file naming and version control: UBC" +" Library or UK Data Service.

                                                                              " msgstr "" -"Décrivez le flux de données à travers l’ensemble du" -" projet. Quelles mesures allez-vous prendre pour augmenter la probabilit&eacut" -"e; que vos résultats soient reproductibles ?" +"

                                                                              Il est important de garder la trace des multiples copies ou versions des fi" +"chiers, des différents fichiers conservés dans plus d'un format ou à divers em" +"placements et des renseignements qui font l'objet de renvois croisés entre les" +" fichiers. Ce processus s'appelle « contrôle de versions ».

                                                                              Des structure" +"s de fichier logiques, des conventions d'appellation informatives et des indic" +"ations claires des versions de fichier aident à mieux utiliser vos données pen" +"dant et après votre projet de recherche. Ces pratiques permettront à votre équ" +"ipe de recherche et vous de vous assurer que vous utilisez toujours la version" +" appropriée de vos données et de réduire la confusion concernant les copies en" +"registrées sur différents ordinateurs ou médias.

                                                                              Pour en savoir plus sur " +"l'appellation des fichiers et le contrôle des versions, consultez les sites su" +"ivants : UBC Library ou UK Data Archive.

                                                                              " msgid "" -"

                                                                              Which data (research and computational outputs) will be retained after the " -"completion of the project? Where will your research data be archived for the l" -"ong-term? Describe your strategies for long-term data archiving.

                                                                              " +"

                                                                              Typically, good documentation includes information about the study, data-le" +"vel descriptions, and any other contextual information required to make the da" +"ta usable by other researchers.  Other elements you should document, as applic" +"able, include: research methodology used, variable definitions, vocabularies, " +"classification systems, units of measurement, assumptions made, format and fil" +"e type of the data, a description of the data capture and collection methods, " +"explanation of data coding and analysis performed (including syntax files), an" +"d details of who has worked on the project and performed each task, etc.

                                                                              " msgstr "" -"

                                                                              Quelles données (résultats de recherche et de calcul) seront conservées apr" -"ès le projet? À quel endroit vos données de recherche seront-elles préservées " -"à long terme? Décrivez vos stratégies de préservation des données à long terme" -".

                                                                              " +"

                                                                              Normalement, une bonne documentation comprend des renseignements sur l'étud" +"e, des descriptions des éléments tels que les variables et d'autres renseignem" +"ents contextuels requis pour que d'autres chercheurs puissent utiliser les don" +"nées. Parmi les autres éléments à documenter, le cas échéant, mentionnons la m" +"éthodologie de recherche utilisée, les définitions des variables, les vocabula" +"ires, les systèmes de classification, les unités de mesure, les hypothèses for" +"mulées, le type de format et de fichier des données, une description des donné" +"es recueillies et des méthodes de collecte, l'explication de l'analyse et de l" +"a codification des données réalisées (y compris les fichiers de syntaxe) et le" +"s renseignements sur les personnes ayant travaillé au projet et réalisé chacun" +"e des tâches, etc.

                                                                              " msgid "" -"How will you make sure that a) your primary data collection methods are docume" -"nted with transparency and b) your secondary data sources (i.e., data you did " -"not collect yourself) — are easily identified and cited?" +"

                                                                              Consider how you will capture this information and where it will be recorde" +"d, ideally in advance of data collection and analysis, to ensure accuracy, con" +"sistency, and completeness of the documentation.  Often, resources you've alre" +"ady created can contribute to this (e.g. publications, websites, progress repo" +"rts, etc.).  It is useful to consult regularly with members of the research te" +"am to capture potential changes in data collection/processing that need to be " +"reflected in the documentation.  Individual roles and workflows should include" +" gathering data documentation as a key element.

                                                                              " msgstr "" -"Comment ferez-vous en sorte que vos méthodes de collecte de donné" -";es primaires soient documentées avec transparence (a) et que vos sourc" -"es de données secondaires (c’est-à-dire les données" -" que vous n’avez pas collectées vous-même) soient facilemen" -"t identifiées et citées (b) ?" +"

                                                                              Examinez la façon dont vous saisirez ces renseignements et l'emplacement où" +" ils seront enregistrés, idéalement avant de procéder à l'analyse et à la coll" +"ecte de données, afin d'assurer l'exactitude, l'uniformité et l'exhaustivité d" +"es documents. Souvent, les ressources que vous avez déjà créées peuvent contri" +"buer à cela (p. ex. publications, sites Web, rapports d'étape, etc.). Il est u" +"tile de consulter régulièrement les membres de l'équipe de recherche afin de c" +"onnaître les changements possibles dans la collecte ou le traitement des donné" +"es qui doivent être pris en considération dans les documents. La collecte des " +"renseignements sur les données doit être une partie intégrante des responsabil" +"ités des membres de l'équipe et des opérations.

                                                                              " msgid "" -"Have you considered what type of end-user lice" -"nse to include with your data? " +"

                                                                              There are many general and domain-specific metadata standards.  Dataset doc" +"umentation should be provided in one of these standard, machine readable, open" +"ly-accessible formats to enable the effective exchange of information between " +"users and systems.  These standards are often based on language-independent da" +"ta formats such as XML, RDF, and JSON. There are many metadata standards based" +" on these formats, including discipline-specific standards.

                                                                              Read more a" +"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" msgstr "" -"Avez-vous envisagé le type de licence d’utilisateur final à" -"; inclure dans vos données ?" +"

                                                                              Il existe plusieurs normes de métadonnées générales et propres à un domaine" +". Les informations sur l'ensemble de données doivent être fournies dans un de " +"ces formats standards, ouverts et lisibles par machine afin de permettre l'éch" +"ange efficace d'information entre les utilisateurs et les systèmes. Ces normes" +" s'appuient souvent sur des formats de données comme XML, RDF et JSON qui ne s" +"ont pas liés à un langage de programmation. Il y a plusieurs normes de métadon" +"nées fondées sur ces formats, y compris des normes propres à une discipline. Pour en savoir plus sur les normes de métadonnées, consultez le site suivan" +"t : U" +"K Digital Curation Centre's Disciplinary Metadata

                                                                              " msgid "" -"What is the time frame over which you are coll" -"ecting data?" +"

                                                                              Storage-space estimates should take into account requirements for file vers" +"ioning, backups, and growth over time. 

                                                                              If you are collecting data ove" +"r a long period (e.g. several months or years), your data storage and backup s" +"trategy should accommodate data growth. Similarly, a long-term storage plan is" +" necessary if you intend to retain your data after the research project.

                                                                              " msgstr "" -"Quelle est la période durant laquelle v" -"ous allez collecter les données ?" +"

                                                                              Les estimations concernant l'espace de stockage doivent prendre en considér" +"ation les exigences pour le versionnage de fichiers, les sauvegardes et la cro" +"issance du nombre de fichiers au fil du temps.

                                                                              Si vous recueillez des don" +"nées sur une longue période (p. ex. plusieurs mois ou années), votre stratégie" +" en matière de sauvegarde et de stockage des données doit tenir compte de la c" +"roissance des données. De même, un plan de stockage à long terme est nécessair" +"e si vous avez l'intention de conserver vos données après le projet de recherc" +"he.

                                                                              " msgid "" -"What quality assurance measures will be implem" -"ented to ensure the accuracy and integrity of the data? " -msgstr "" -"Quelles mesures d’assurance de la qualit" -"é seront mises en œuvre pour garantir l’exactitude et l&rsq" -"uo;intégrité des données ?" - -msgid "Is the population being weighted?" +"

                                                                              The risk of losing data due to human error, natural disasters, or other mis" +"haps can be mitigated by following the 3-2-1 backup rule:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Have at least three copies of your data.
                                                                              • \n" +"
                                                                              • Store the copies on two different media.
                                                                              • \n" +"
                                                                              • Keep one backup copy offsite
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Data may be stored using optical or magnetic media, which can be removable " +"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" +"orked (e.g. networked drives or cloud-based servers). Each storage method has " +"benefits and drawbacks that should be considered when determining the most app" +"ropriate solution.

                                                                              \n" +"

                                                                              Further information on storage and backup practices is available from the <" +"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" +"noopener\">University of Sheffield Library and the UK Dat" +"a Service.

                                                                              " msgstr "" -"La population est-elle pondérée&" -"thinsp;?" +"

                                                                              Le risque de perdre des données en raison d'une erreur humaine, de c" +"atastrophes naturelles ou d'autres mésaventures peut être att&eac" +"ute;nué en respectant les 3-2-1 règles de sauvegarde:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Posséder au moins trois copies de vos données.
                                                                              • \n" +"
                                                                              • Stocker les copies sur deux types de médias différents." +"
                                                                              • \n" +"
                                                                              • Conserver une copie de sauvegarde hors site
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Les données peuvent être stockées au moyen d'un m&eacut" +"e;dia optique ou magnétique qui peut être amovible (p. ex. D" +"VD et clés USB), fixe (p. ex. lecteurs de disque dur d'ordinateur " +"de bureau ou d'ordinateur portatif) ou en réseau (p. ex. lecteurs en r&" +"eacute;seau ou serveurs basés sur l'infonuagique). Chaque méthod" +"e de stockage comporte des avantages et des inconvénients qui doivent &" +"ecirc;tre pris en considération au moment de déterminer la solut" +"ion la plus appropriée. De plus amples renseignements sur les pratiques" +" de stockage et de sauvegarde sont disponibles sur les sites suivants : Universit" +"y of Sheffield Library and the UK Data Archive.

                                                                              " msgid "" -"If your data contains confidential information" -", how will your storage method ensure the protection of this data?" +"

                                                                              An ideal solution is one that facilitates co-operation and ensures data sec" +"urity, yet is able to be adopted by users with minimal training. Transmitting " +"data between locations or within research teams can be challenging for data ma" +"nagement infrastructure. Relying on email for data transfer is not a robust or" +" secure solution. Third-party commercial file sharing services (such as Google" +" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" +"manent or secure, and are often located outside Canada. Please contact your Li" +"brary to develop the best solution for your research project.

                                                                              " msgstr "" -"Si vos données contiennent des informat" -"ions confidentielles, comment votre méthode de stockage assurera-t-elle" -" la protection de ces données ?" +"

                                                                              Une solution idéale est une solution qui facilite la collaboration, assure " +"la sécurité des données et qui peut être adoptée par les utilisateurs en suiva" +"nt une formation minimale. La transmission de données entre les différents esp" +"aces de travail ou au sein d'équipes de recherche n'est pas toujours simple se" +"lon l'infrastructure de gestion des données. Se fier au courrier électronique " +"pour le transfert de données n'est pas une solution robuste ou sécuritaire. Le" +"s services de partage de fichiers commerciaux de tiers (comme Google Drive et " +"Dropbox) facilitent l'échange de fichiers, mais ne sont pas nécessairement per" +"manents ou sécuritaires et sont souvent situés à l'extérieur du Canada. Commun" +"iquez avec votre bibliothèque pour mettre au point la meilleure solution pour " +"votre projet de recherche.

                                                                              " msgid "" -"What procedures are in place to destroy the da" -"ta after the retention period is complete?" +"

                                                                              The issue of data retention should be considered early in the research life" +"cycle. Data-retention decisions can be driven by external policies (e.g. fund" +"ing agencies, journal publishers), or by an understanding of the enduring valu" +"e of a given set of data. The need to preserve data in the short-term (i.e. f" +"or peer-verification purposes) or long-term (for data of lasting value), will " +"influence the choice of data repository or archive. A helpful analogy is to t" +"hink of creating a 'living will' for the data, that is, a plan describing how " +"future researchers will have continued access to the data.

                                                                              If you need a" +"ssistance locating a suitable data repository or archive, please contact your " +"Library.

                                                                              re3data.org is a directory of potential open data repositories. Verify whether or not t" +"he data repository will provide a statement agreeing to the terms of deposit o" +"utlined in your Data Management Plan.

                                                                              " msgstr "" -"Quelles mesures allez-vous prendre pour d&eacu" -"te;truire les données une fois la période de conservation termin" -"ée ?" +"

                                                                              La question de la rétention des données doit être examinée tôt dans le cycl" +"e de vie de la recherche. Les décisions relatives à la rétention des données p" +"euvent être dictées par des politiques externes (p. ex. organismes de financem" +"ent, éditeurs de revues) ou par une compréhension de la valeur durable d'un en" +"semble de données déterminé. La nécessité de préserver les données à court ter" +"me (c.-à-d. à des fins de vérification par des pairs) ou à long terme (pour le" +"s données de valeur durable) influencera le choix de l'archive ou du dépôt de " +"données. Une analogie utile consiste à penser à créer un « testament de vie » " +"pour les données, c'est-à-dire un plan qui décrit la façon dont les futurs che" +"rcheurs continueront d'avoir accès aux données.

                                                                              Si vous avez besoin d'aide " +"pour trouver une archive ou un dépôt de données approprié, communiquez avec vo" +"tre bibliothèque.

                                                                              re3dat" +"a.org est un répertoire de dépôts de données ouvertes. Vérifiez si le dépô" +"t de données pourra vous fournir une confirmation que les termes du dépôt énon" +"cés dans votre plan de gestion des données seront respectés.

                                                                              " msgid "" -"What methods will be used to manage the risk o" -"f disclosure of participant information?" +"

                                                                              Some data formats are optimal for long-term preservation of data. For examp" +"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" +".csv'), are considered preservation-friendly. The UK Data Service provides a u" +"seful table of file formats for various types of data. Keep in mind that prese" +"rvation-friendly files converted from one format to another may lose informati" +"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " +"so changes to file formats should be documented.

                                                                              \n" +"

                                                                              Identify steps required following project completion in order to ensure the" +" data you are choosing to preserve or share is anonymous, error-free, and conv" +"erted to recommended formats with a minimal risk of data loss.

                                                                              \n" +"

                                                                              Read more about anonymization: UBC Library<" +"/a> or UK Data Service.

                                                                              " msgstr "" -"Quelles méthodes seront utilisée" -"s pour gérer le risque de divulgation d’information sur les parti" -"cipants ?" +"

                                                                              Certains formats de données sont idéals pour la conservation à long terme d" +"es données. Par exemple, les formats de fichier non-propriétaires, comme le fo" +"rmat texte (.txt) et les valeurs séparées par des virgules (.csv), sont consid" +"érés comme des formats conçus pour la conservation. Le UK Data Archive (dépôt " +"de données du Royaume-Uni) fournit un tableau utile des formats de fichier pou" +"r divers types de données. Il faut se rappeler que les fichiers qui sont conve" +"rtis d'un format à l'autre peuvent perdre des renseignements (p. ex. en conver" +"tissant un fichier TIFF non compressé à un fichier JPG compressé). Ainsi, les " +"modifications apportées aux formats de fichier doivent être documentées.

                                                                              D" +"éterminez les étapes à suivre à la fin d'un projet pour s'assurer que les donn" +"ées que vous choisissez de préserver ou de partager sont anonymes, exemptes d'" +"erreur et converties dans les formats recommandés en assurant un risque minima" +"l de perte de données.

                                                                              Pour en savoir plus sur l'anonymisation, consultez" +" les sites suivants :UBC Library ou UK Data Archive" +".

                                                                              " msgid "" -"If you have collected restricted data, what st" -"eps would someone requesting your data need to follow in order to access it?" +"

                                                                              Raw data are the data directly obtained from the instrument, simulat" +"ion or survey.

                                                                              Processed data result from some manipulation of th" +"e raw data in order to eliminate errors or outliers, to prepare the data for a" +"nalysis, to derive new variables, or to de-identify the human participants.

                                                                              Analyzed data are the the results of qualitative, statistical, or " +"mathematical analysis of the processed data. They can be presented as graphs, " +"charts or statistical tables.

                                                                              Final data are processed data that " +"have, if needed, been converted into a preservation-friendly format.

                                                                              Con" +"sider which data may need to be shared in order to meet institutional or fundi" +"ng requirements, and which data may be restricted because of confidentiality/p" +"rivacy/intellectual property considerations.

                                                                              " msgstr "" -"Si vous avez collecté des donnée" -"s protégées, quelles sont les étapes qu’une personn" -"e doit suivre pour y accéder ?" +"

                                                                              Les données brutes sont des données obtenues directement de l'instru" +"ment, de la simulation ou de l'enquête.

                                                                              Les données traitées découle" +"nt d'une certaine manipulation des données brutes afin d'éliminer les erreurs " +"ou les valeurs aberrantes, de préparer les données en vue de l'analyse, d'obte" +"nir de nouvelles variables ou d'anonymiser les participants humains.

                                                                              Le" +"s données analysées sont les résultats d'une analyse qualitative, statisti" +"que ou mathématique des données traitées. Elles peuvent être présentées sous " +"forme de graphiques, de diagrammes ou de tableaux statistiques.

                                                                              Les donn" +"ées définitives sont des données traitées qui ont été converties, au besoi" +"n, dans un format pouvant être préservé.

                                                                              Examinez les données qui peuvent d" +"evoir être partagées afin de respecter les exigences institutionnelles ou de f" +"inancement et les données qui peuvent faire l'objet de restrictions en raison " +"de préoccupations relatives à la confidentialité, au respect de la vie privée " +"et à la propriété intellectuelle.

                                                                              " msgid "" -"How will your software/technology and document" -"ation adhere to disability and/or accessibility guidelines?" +"

                                                                              Licenses determine what uses can be made of your data. Funding agencies and" +"/or data repositories may have end-user license requirements in place; if not," +" they may still be able to guide you in the development of a license. Once cre" +"ated, please consider including a copy of your end-user license with your Data" +" Management Plan. Note that only the intellectual property rights holder(s) c" +"an issue a license, so it is crucial to clarify who owns those rights.

                                                                              " +"There are several types of standard licenses available to researchers, such as" +" the Creative Com" +"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" +"sier to use a standard license rather than to devise a custom-made one. Note t" +"hat even if you choose to make your data part of the public domain, it is pref" +"erable to make this explicit by using a license such as Creative Commons' CC0" +".

                                                                              Read more about data licensing: UK Digital Curation Cent" +"re.

                                                                              " msgstr "" -"Comment votre logiciel ou technologie et votre" -" documentation respecteront-ils les directives en matière de handicap o" -"u d’accessibilité ?" +"

                                                                              Les licences déterminent les utilisations permises de vos données. Les orga" +"nismes de financement et les dépôts de données peuvent avoir des exigences rel" +"atives à la licence d'utilisation. Si ce n'est pas le cas, ils peuvent vous gu" +"ider dans l'établissement d'une licence. Une fois la licence créée, veuillez e" +"nvisager d'inclure une copie de votre licence d'utilisation avec votre plan de" +" gestion des données. Il convient de noter que seuls les titulaires des droits" +" de propriété intellectuelle peuvent émettre une licence, il est dont essentie" +"l de préciser à qui appartient ces droits.

                                                                              Il existe plusieurs types de li" +"cences standards mises à la disposition des chercheurs comme les licences Creative Commons" +" et les licence" +"s Open Data Commons. En fait, pour la plupart des ensembles de données, il" +" est plus facile d'utiliser une licence standard plutôt que de concevoir une l" +"icence personnalisée. Veuillez noter que même si vous choisissez de rendre vos" +" données publiques, il est préférable de l'indiquer de manière explicite en ut" +"ilisant une licence comme celle CC0 de Creative Commons.

                                                                              Pour en savoir p" +"lus sur les licences d'exploitation des données, consultez le site suivant : <" +"a href=\"http://www.dcc.ac.uk/resources/how-guides/license-research-data\" targe" +"t=\"_blank\">UK Digital Curation Centre.

                                                                              " msgid "" -"What quality assurance measures will be implem" -"ented over the course of the study?" -msgstr "" -"Quelles mesures d’assurance de la qualit" -"é seront mises en œuvre au cours de l’étude ?" -"" - -msgid "What are the variables being studied? " +"

                                                                              Possibilities include: data registries, repositories, indexes, word-of-mout" +"h, publications.

                                                                              How will the data be accessed (Web service, ftp, etc.)?" +" If possible, choose a repository that will assign a persistent identifier (su" +"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " +"and make it retrievable by various discovery tools.

                                                                              One of the best ways" +" to refer other researchers to your deposited datasets is to cite them the sam" +"e way you cite other types of publications (articles, books, proceedings). The" +" Digital Curation Centre provides a detailed guide on data citation.No" +"te that some data repositories also create links from datasets to their associ" +"ated papers, thus increasing the visibility of the publications.

                                                                              Contact" +" your Library for assistance in making your dataset visible and easily accessi" +"ble.

                                                                              Reused from NIH. (2009). Key Elements to Cons" +"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" +"al Institutes of Health.

                                                                              " msgstr "" -"Quelles sont les variables étudié" -";es ? " +"

                                                                              Les possibilités comprennent : registres de données, dépôts, index, bouche-" +"à-oreille, publications.

                                                                              Comment pourra-t-on accéder aux données (servic" +"e Web, ftp, etc.)?  Dans la mesure du possible, choisissez un dépôt qui a" +"ttribuera un identifiant constant (comme un DOI) à votre ensemble de données. " +"Cela permettra ainsi d'assurer un accès stable à l'ensemble de données et il p" +"ourra être accessible grâce à divers outils de recherche.

                                                                              Une des meille" +"ures façons d'orienter d'autres chercheurs vers vos ensembles de données dépos" +"és consiste à les citer de la même façon que d'autres types de publications (a" +"rticles, livres, procédures). Le Digital Curation Centre fournit un guide<" +"/a> détaillé sur la citation des données. Veuillez noter que certains dépôts d" +"e données établissent également des liens entre les ensembles de données et le" +"s articles connexes, ce qui accroît ainsi la visibilité des publications.

                                                                              Co" +"mmuniquez avec votre bibliothèque pour obtenir de l'aide pour donner de la vis" +"ibilité à votre ensemble de données et le rendre facilement accessible. <" +"/p>

                                                                              Réutilisé des NIH. (2009). Key Elements to Consider" +" in Preparing a Data Sharing Plan Under NIH Extramural Support (Principaux élé" +"ments à prendre en considération dans l'établissement d'un plan de partage des" +" données en vertu du soutien extra-muros des NIH). National Institutes of " +"Health.

                                                                              " msgid "" -"What file naming conventions will you use in y" -"our study?" +"

                                                                              Your data management plan has identified important data activities in your " +"project. Identify who will be responsible -- individuals or organizations -- f" +"or carrying out these parts of your data management plan. This could also incl" +"ude the timeframe associated with these staff responsibilities and any trainin" +"g needed to prepare staff for these duties.

                                                                              " msgstr "" -"Quelles conventions de nomenclature des fichie" -"rs utiliserez-vous dans votre étude ?" +"

                                                                              Votre plan de gestion des données a identifié les activités importantes rel" +"atives à la gestion des données dans le cadre de votre projet. Indiquez les re" +"sponsables -- des personnes ou des organisations -- de l'exécution de ces par" +"ties de votre plan de gestion des données. Cela pourrait également comprendre " +"le calendrier associé à ces responsabilités et toute formation nécessaire afin" +" de préparer le personnel à assumer ces fonctions.

                                                                              " msgid "" -"What steps will you take to destroy the data a" -"fter the retention period is complete?" +"

                                                                              Indicate a succession strategy for these data in the event that one or more" +" people responsible for the data leaves (e.g. a graduate student leaving after" +" graduation). Describe the process to be followed in the event that the Princi" +"pal Investigator leaves the project. In some instances, a co-investigator or t" +"he department or division overseeing this research will assume responsibility." +"

                                                                              " msgstr "" -"Quelles mesures allez-vous prendre pour d&eacu" -"te;truire les données une fois la période de conservation termin" -"ée ?" +"

                                                                              Indiquez une stratégie de planification de la relève pour ces données dans " +"l'éventualité où une ou plusieurs personnes responsables des données quittent " +"le projet (p. ex. un étudiant aux cycles supérieurs qui quitte après l'obtenti" +"on de son diplôme). Décrivez le processus à suivre dans l'éventualité où le ch" +"ercheur principal quitte le projet. Dans certains cas, un cochercheur, le dépa" +"rtement ou la division qui supervise cette recherche en assumera la responsabi" +"lité.

                                                                              " msgid "" -"What practices will you use to structure, name, and version-control your files" -"?" +"

                                                                              This estimate should incorporate data management costs incurred during the " +"project as well as those required for the longer-term support for the data aft" +"er the project is finished. Items to consider in the latter category of expens" +"es include the costs of curating and providing long-term access to the data. S" +"ome funding agencies state explicitly the support that they will provide to me" +"et the cost of preparing data for deposit. This might include technical aspect" +"s of data management, training requirements, file storage & backup, and contri" +"butions of non-project staff.

                                                                              " msgstr "" -"Quelles pratiques suivrez-vous pour structurer, nommer et contrôler les " -"versions de vos fichiers ?" +"

                                                                              Cette évaluation doit comprendre les coûts de gestion des données encourus " +"au cours du projet ainsi que les coûts requis pour le soutien à plus long term" +"e des données après la fin du projet. Les points à considérer dans la dernière" +" catégorie de dépenses comprennent les coûts d'entretien et de prestation d'u" +"n accès à long terme aux données. Certains organismes de financement indiquent" +" de façon explicite le soutien qu'ils fourniront afin de respecter les coûts r" +"elatifs à la préparation des données à déposer. Cela peut comprendre les aspec" +"ts techniques de la gestion de données, les exigences en matière de formation," +" le stockage et la sauvegarde des fichiers et le travail du personnel ne faisa" +"nt pas partie du projet.

                                                                              " msgid "" -"Are there data you will need or choose to destroy? If so, how will you destroy" -" them securely?" -msgstr "" -"Pensez-vous devoir ou vouloir détruire certaines données " -"? Si oui, avez-vous réfléchi à une approche sécuri" -"taire ?" - -msgid "How will researchers, artists, and/or the public find your data?" +"

                                                                              Consider where, how, and to whom sensitive data with acknowledged long-term" +" value should be made available, and how long it should be archived. These dec" +"isions should align with Research Ethics Board requirements. The methods used " +"to share data will be dependent on a number of factors such as the type, size," +" complexity and degree of sensitivity of data. Outline problems anticipated in" +" sharing data, along with causes and possible measures to mitigate these. Prob" +"lems may include confidentiality, lack of consent agreements, or concerns abou" +"t Intellectual Property Rights, among others. In some instances, an embargo pe" +"riod may be justified; these may be defined by a funding agency's policy on re" +"search data.

                                                                              Reused from: DCC. (2013). Checklist for a Data Management" +" Plan. v.4.0. Edinburgh: Digital Curation Centre

                                                                              Restrictions can be" +" imposed by limiting physical access to storage devices, by placing data on co" +"mputers that do not have external network access (i.e. access to the Internet)" +", through password protection, and by encrypting files. Sensitive data should" +" never be shared via email or cloud storage services such as Dropbox.

                                                                              " msgstr "" -"Comment les chercheurs, artistes ou membres du public pourront-ils trouver vos" -" données ?" +"

                                                                              Examinez où et comment les données sensibles ayant une valeur à long terme " +"reconnue doivent être rendues disponibles et à qui, de même que pendant combie" +"n de temps elles doivent être archivées. Ces décisions doivent respecter les " +"exigences du comité d'éthique de la recherche. Les méthodes utilisées pour par" +"tager les données dépendront d'un certain nombre de facteurs comme le type, la" +" taille, la complexité et le degré de sensibilité des données. Décrivez les pr" +"oblèmes prévus dans le partage des données, ainsi que les causes et les mesure" +"s possibles pour les atténuer. Les problèmes peuvent comprendre, entre autres," +" la confidentialité, l'absence de consentement ou les préoccupations au sujet " +"des droits de propriété intellectuelle. Dans certains cas, une période d'embar" +"go peut être justifiée; ces cas peuvent être définis dans la politique sur les" +" données de recherche d'un organisme de financement.

                                                                              Réutilisé de : DCC." +" (2013). Checklist for a Data Management Plan (Liste de vérification pour un " +"plan de gestion des données). v.4.0. Edinburgh: Digital Curation Centre

                                                                              Des restrictions peuvent être imposées en limitant l'accès physique aux di" +"spositifs de stockage, en enregistrant les données sur des ordinateurs qui ne " +"possèdent pas d'accès au réseau externe (c.-à-d. accès à Internet), grâce à un" +"e protection par mot de passe, et en codant les fichiers. Les données sensible" +"s ne doivent jamais être partagées par courriel ou au moyen de services de sto" +"ckage en nuage comme Dropbox.

                                                                              " msgid "" -"Describe how your data will be securely transferred, including from data colle" -"ction devices/platforms and, if applicable, to/from transcriptionists." +"

                                                                              Obtaining the appropriate consent from research participants is an importan" +"t step in assuring Research Ethics Boards that the data may be shared with res" +"earchers outside your project. The consent statement may identify certain cond" +"itions clarifying the uses of the data by other researchers. For example, it m" +"ay stipulate that the data will only be shared for non-profit research purpose" +"s or that the data will not be linked with personally identified data from oth" +"er sources.

                                                                              \n" +"

                                                                              Read more about data security: UK Data Service

                                                                              " msgstr "" -"Décrivez comment vos données seront transférées en" -" toute sécurité, notamment à partir de dispositifs ou de " -"plateformes de collecte de données et à destination ou en proven" -"ance des transcripteurs, le cas échéant." +"

                                                                              L'obtention du consentement approprié des participants de recherche constit" +"ue une étape importante pour assurer au comité d'éthique de la recherche que l" +"es données de recherche peuvent être partagées avec des chercheurs ne faisant " +"pas partie de votre projet. La déclaration de consentement peut indiquer certa" +"ines conditions précisant l'utilisation des données par d'autres chercheurs. P" +"ar exemple, elle peut stipuler que les données seront uniquement partagées à d" +"es fins de recherche sans but lucratif ou que les données ne seront pas croisé" +"es avec des données personnelles provenant d'autres sources.

                                                                              Pour en sa" +"voir plus sur la sécurité des données, consultez le site suivant : UK Dat" +"a Archive

                                                                              .

                                                                              " msgid "" -"What software tools will be utilized and/or developed for the proposed researc" -"h?" +"

                                                                              Compliance with privacy legislation and laws that may impose content restri" +"ctions in the data should be discussed with your institution's privacy officer" +" or research services office. Research Ethics Boards are central to the resear" +"ch process.

                                                                              Include here a description concerning ownership, licensing, " +"and intellectual property rights of the data. Terms of reuse must be clearly s" +"tated, in line with the relevant legal and ethical requirements where applicab" +"le (e.g., subject consent, permissions, restrictions, etc.).

                                                                              " msgstr "" -"Quels outils logiciels seront utilisés ou créés pour la r" -"echerche proposée ?" - -msgid "Under what licence do you plan to release your software?" -msgstr "Sous quelle licence comptez-vous publier votre logiciel ?" - -msgid "What software code will you make available, and where?" -msgstr "" -"Quel code de logiciel allez-vous rendre disponible et à quel endroit al" -"lez-vous le rendre disponible ?" - -msgid "What steps will you take to ensure your data is prepared for preservation?" -msgstr "" -"Quelles mesures prendrez-vous pour faire en sorte que vos données soien" -"t prêtes à être préservées ?" +"

                                                                              Le respect des règlements et des lois sur la protection de la vie privée qu" +"i peuvent imposer des restrictions de contenu dans les données devrait être di" +"scuté avec le bureau de la recherche ou le responsable de la protection de la " +"vie privée de votre établissement. Le comité d'éthique de la recherche est aus" +"si essentiel dans ce processus.

                                                                              Décrivez ici ce qui en est de la proprié" +"té des données, de l'octroi de licences et de la propriété intellectuelle. Les" +" conditions énoncées pour la réutilisation des données doivent être clairement" +" mentionnés et respecter les exigences juridiques et éthiques pertinentes, le " +"cas échéant (p. ex. consentement du sujet, permissions, restrictions, etc.)." msgid "" -"What tools and strategies will you take to promote your research? How will you" -" let the research community and the public know that your data exists and is r" -"eady to be reused?" +"

                                                                              The University of Guelph Library's Data Resource Centre provides d" +"ata collection and creation support including support for the design and creat" +"ion of web surveys and access to data resources including numeric and geospati" +"al databases.

                                                                              \n" +"

                                                                              The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" +"oved academic staff and students can securely access detailed microdata and ad" +"ministrative datasets from Statistics Canada.

                                                                              \n" +"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " msgstr "" -"Quels outils et stratégies allez-vous utiliser pour promouvoir votre re" -"cherche ? Comment ferez-vous savoir à la communauté des c" -"hercheurs et au public que vos données existent et sont prêtes &a" -"grave; être réutilisées ?" msgid "" -"What is the geographic location within the con" -"text of the phenomenon/experience where data will be gathered?" +"

                                                                              The University of Guelph Library provides training and support related to <" +"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" +"-management/training-support\" target=\"_blank\">Research Data Management. Pl" +"ease contact us at l" +"ib.research@uoguelph.ca for more information.

                                                                              " msgstr "" -"Quel est l’emplacement géographiq" -"ue dans lequel les données seront recueillies dans le contexte du ph&ea" -"cute;nomène ou de l’étude ?" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study?" +"

                                                                              Please see Organising Information for more information regarding developing a s" +"trategy for how you will manage your project files throughout the research pro" +"cess including directory structure, file naming conventions and versioning. \n" +"

                                                                              Please contact us at lib.research@uoguelph.ca for additional support.

                                                                              " msgstr "" -"Utiliserez-vous des acronymes ou des abr&eacut" -"e;viations dans votre étude ?" msgid "" -"What file naming conventions will be used to s" -"ave your data?" +"

                                                                              The University of Guelph Library has created a Data Management Planning Checklist wh" +"ich can be used to identify and keep track of the data management practices th" +"at you will utilize throughout the data life-cycle, including what information" +" and tools will be used to document your work.

                                                                              \n" +"

                                                                              For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

                                                                              " msgstr "" -"Quelles conventions de nomenclature des fichie" -"rs utiliserez-vous dans votre étude ?" msgid "" -"What license will you apply to your data?" +"

                                                                              Review Documenting Your Work for more information regarding creating and trackin" +"g metadata throughout the research process.

                                                                              \n" +"

                                                                              Please contact us at lib.research@uoguelph.ca for additional support.

                                                                              " msgstr "" -"Quelle licence utiliserez-vous pour vos donn&e" -"acute;es ?" msgid "" -"What dependencies will be used in the developm" -"ent of this software/technology?" +"

                                                                              Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" +"ms for more about information about categorising and documenting your data" +" or contact us at li" +"b.research@uoguelph.ca.

                                                                              " msgstr "" -"Quelles dépendances seront utilis&eacut" -"e;es dans le développement de ce logiciel ou technologie ?" msgid "" -"What is the setting and geographic location of" -" where the data is being gathered?" +"

                                                                              On campus, Computing" +" and Communications Services (CCS) provides support for short-term storage" +" and backup.

                                                                              \n" +"

                                                                              Please see " +"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

                                                                              " msgstr "" -"Quels sont le contexte et la situation g&eacut" -"e;ographique du lieu où les données sont recueillies ?" msgid "" -"Are there any acronyms or abbreviations that w" -"ill be used within your study that may be unclear to others?" +"

                                                                              On campus, Computing" +" and Communications Services (CCS) provides support for file security and " +"encryption.

                                                                              \n" +"

                                                                              Information S" +"ecurity services provided through the Office of the CIO, offers encryption" +" and file security training.

                                                                              \n" +"

                                                                              Please see " +"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

                                                                              " msgstr "" -"Y a-t-il des acronymes ou des abréviati" -"ons qui seront utilisés dans le cadre de vos études et qui pourr" -"aient ne pas être clairs pour les autres ?" msgid "" -"Describe all of the file formats that your data will exist in, including for t" -"he various versions of both survey and qualitative interview/focus group data." -" Will these formats allow for data re-use, sharing and long-term access to the" -" data?" +"

                                                                              The University of Guelph Library provides support for researchers in determ" +"ining the appropriate method and location for the preservation of data.

                                                                              \n" +"

                                                                              We also maintain two research data respositories, the Agri-environmental" +" Research Data Respository and the University of Guelph Research Data Re" +"pository, where University of Guelph researchers can deposit their data th" +"rough a facilitated process.

                                                                              \n" +"

                                                                              Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" +"tion.

                                                                              " msgstr "" -"Décrivez tous les formats de fichiers dans lesquels vos données " -"existeront, y compris pour les différentes versions des données " -"d’enquête et d’entrevue qualitative ou de groupe de discussi" -"on. Ces formats permettront-ils la réutilisation, le partage et l&rsquo" -";accès à long terme aux données ?" msgid "" -"What metadata/documentation do you need to provide for others to use your soft" -"ware?" +"

                                                                              Please see Pres" +"ervation and " +"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

                                                                              " msgstr "" -"Quelles métadonnées/documentation devez-vous fournir pour que d&" -"rsquo;autres personnes puissent utiliser votre logiciel ?" - -msgid "Describe your software sustainability plan." -msgstr "Décrivez votre plan de pérennité des logiciels." msgid "" -"

                                                                              List any metadata standard(s) and/or tools you will use to document and des" -"cribe your data:

                                                                              " -msgstr "" -"

                                                                              Indiquez toutes les normes et tous les outils pour les métadonnées que vous" -" utiliserez pour documenter et décrire vos données :

                                                                              " - -msgid "What type of end-user license will you use for your data?" +"

                                                                              Please see Sha" +"ring & Reuse - Conditions for Sharing for more information on licensin" +"g options or contact us at lib.research@uoguelph.ca

                                                                              " msgstr "" -"Quel type de licence d’utilisateur final utiliserez-vous pour vos donn&e" -"acute;es ?" msgid "" -"What steps will be involved in the data collec" -"tion process?" +"

                                                                              The University of Guelph Library offers Resea" +"rch Data Management services that support researchers with the organizatio" +"n, management, dissemination, and preservation of their research data.

                                                                              \n" +"

                                                                              Data deposited in the University of Guelph Research Data Repositories is as" +"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" +") to your data. The DOI can be used to cite, improve discovery, track usage an" +"d measure the impact of your data.

                                                                              \n" +"

                                                                              Sharing data through a repository can also improve its discovery and dissem" +"ination since repository content is fully indexed and searchable in search eng" +"ines such as Google.

                                                                              \n" +"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " msgstr "" -"Quelles seront les étapes du processus " -"de collecte des données ?" msgid "" -"What are the steps involved in the data collec" -"tion process?" +"

                                                                              The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" +"mans (Chapter 5) - D. Consen" +"t and Secondary Use of Identifiable Information for Research Purposes prov" +"ides detailed guidance related to secondary use of research data.

                                                                              \n" +"

                                                                              Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" +"ng your data for secondary use including obtaining consent, conditions for sha" +"ring and anonymising data.

                                                                              " msgstr "" -"Quelles sont les étapes du processus de" -" collecte des données ?" msgid "" -"If the metadata standard will be modified, please explain how you will modify " -"the standard to meet your needs." +"

                                                                              Researchers should consult the Tri-Council Po" +"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" +"nformation on ethical obligations.

                                                                              \n" +"

                                                                              The University of Guelph's Office of Research offers guidance related to&nb" +"sp;Ethics and Regulatory Compliance as well a" +"s Intellectual Property Policy.  \n" +"

                                                                              The Office of Research also provides resources, training and detailed guida" +"nce related to research involving human participants through the Resear" +"ch Ethics/Protection of Human Participants webpage.

                                                                              \n" +"

                                                                              Please see Sha" +"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

                                                                              \n" +"

                                                                               

                                                                              \n" +"

                                                                               

                                                                              " msgstr "" -"Si la norme des métadonnées doit être modifiée, exp" -"liquez comment vous allez modifier la norme pour satisfaire vos besoins." msgid "" -"What software programs will you use to collect" -" the data?" +"

                                                                              Les Services informatiques ont une offr" +"e de services en soutien à la recherche. Ils peuvent vous aider à" +"; déterminer vos besoins de stockage et à mettre en place l&rsqu" +"o;infrastructure nécessaire à votre projet de recherche.

                                                                              " msgstr "" -"Quels logiciels utiliserez-vous pour collecter" -" les données ?" msgid "" -"How will you make sure that metadata is created or captured consistently throu" -"ghout your project?" +"

                                                                              Les Services informatiques peuvent vous" +" assister dans l'élaboration de votre stratégie de sauvegarde." msgstr "" -"Comment allez-vous vous assurer que les métadonnées sont cr&eacu" -"te;ées ou saisies de manière cohérente tout au long de vo" -"tre projet ?" msgid "" -"What file formats will you be generating durin" -"g the data collection phase?" +"

                                                                              Les Services informatiques offrent une solution locale de stockage et de pa" +"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" +"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" +"get=\"_blank\">Service OwnCloud.

                                                                              \n" +"

                                                                              Les Services informatiques peuvent de p" +"lus vous aider à mettre au point les stratégies de collaboration" +" et de sécurité entre vos différents espaces de travail.<" +"/p>" msgstr "" -"Quels formats de fichiers allez-vous gé" -"nérer pendant la phase de collecte des données ?" msgid "" -"What are the technical details of each of the storage and file systems you wil" -"l use during the active management of the research project?" -msgstr "" -"Quels sont les détails techniques de chacun des systèmes de stoc" -"kage et de fichiers que vous utiliserez pendant la gestion active du projet de" -" recherche ?" - -msgid "What do you estimate the overall cost of managing your data will be?" +"

                                                                              Un professionnel de l’équipe de soutien à la gestion de" +"s données de recherche peut vous aider à identifier des dé" +";pôts pertinents pour vos données: gdr@uqam.ca.

                                                                              " msgstr "" -"À combien estimez-vous le coût global de la gestion de vos donn&e" -"acute;es ?" msgid "" -"

                                                                              Examples: numeric, images, audio, video, text, tabular data, modeling data," -" spatial data, instrumentation data.

                                                                              " -msgstr "" -"

                                                                              Exemples : données numériques, images, audio, vidéo, texte, données tabulai" -"res, données de modélisation, données spatiales, données d'instrumentation

                                                                              " - -msgid "" -"

                                                                              Proprietary file formats requiring specialized software or hardware to use " -"are not recommended, but may be necessary for certain data collection or analy" -"sis methods. Using open file formats or industry-standard formats (e.g. those " -"widely used by a given community) is preferred whenever possible.

                                                                              -\n" -"

                                                                              Read more about file formats: UBC Library or UK Data Service.

                                                                              " +"

                                                                              La Politique de la recherche et de la cr&eacu" +"te;ation (Politique no 10) de l’UQAM souligne que « le par" +"tage des résultats de la recherche et de la création avec la soc" +"iété est une nécessité dans le cadre d’une p" +"olitique de la recherche publique » et que « l’UQAM" +" encourage tous les acteurs de la recherche et de la création et en par" +"ticulier les professeures et les professeurs à diffuser et transf&eacut" +"e;rer les résultats de leurs travaux au sein de la société" +"; ».

                                                                              \n" +"

                                                                              La Déclaration de principes des trois organis" +"mes sur la gestion des données numériques n’indique pa" +"s quelles données doivent être partagées. Elle a pour obje" +"ctif « de promouvoir l’excellence dans les pratiques de gestio" +"n et d’intendance des données numériques de travaux de rec" +"herche financés par les organismes ». Il y est décrit" +" de quelle façon la  préservation, la conservation et le pa" +"rtage des données devraient être envisagés. À lire!" +"

                                                                              \n" +"

                                                                              Suggestion: Voyez comment protéger vos données sensibles (der" +"nière section du plan: « Conformité aux lois et &agra" +"ve; l’éthique ») et partagez tout ce qui peut l'ê" +";tre, après une analyse coût-bénéfice.

                                                                              " msgstr "" -"

                                                                              Les formats propriétaires nécessitant l'utilisation de logiciels ou de maté" -"riels spécialisés ne sont pas recommandés, mais peuvent être nécessaires pour " -"certaines méthodes d'analyse ou de collecte des données. L'utilisation de form" -"ats de fichier ouverts ou de formats conformes aux normes de l'industrie (p. e" -"x. les formats largement utilisés par une communauté donnée) est préférable da" -"ns la mesure du possible.

                                                                              Pour en savoir plus sur les formats de fichier, " -"consultez les sites suivants : UBC Library ou UK Data Archive" -".

                                                                              " msgid "" -"

                                                                              It is important to keep track of different copies or versions of files, fil" -"es held in different formats or locations, and information cross-referenced be" -"tween files. This process is called 'version control'.

                                                                              -\n" -"

                                                                              Logical file structures, informative naming conventions, and clear indicati" -"ons of file versions, all contribute to better use of your data during and aft" -"er your research project.  These practices will help ensure that you and " -"your research team are using the appropriate version of your data, and minimiz" -"e confusion regarding copies on different computers and/or on different media." -"

                                                                              -\n" -"

                                                                              Read more about file naming and version control: UBC" -" Library or UK Data Service.

                                                                              " +"

                                                                              Les Services informatiques peuvent vous" +" aider à déterminer les coûts de l'infrastructure né" +";cessaire à votre projet de recherche.

                                                                              " msgstr "" -"

                                                                              Il est important de garder la trace des multiples copies ou versions des fi" -"chiers, des différents fichiers conservés dans plus d'un format ou à divers em" -"placements et des renseignements qui font l'objet de renvois croisés entre les" -" fichiers. Ce processus s'appelle « contrôle de versions ».

                                                                              Des structure" -"s de fichier logiques, des conventions d'appellation informatives et des indic" -"ations claires des versions de fichier aident à mieux utiliser vos données pen" -"dant et après votre projet de recherche. Ces pratiques permettront à votre équ" -"ipe de recherche et vous de vous assurer que vous utilisez toujours la version" -" appropriée de vos données et de réduire la confusion concernant les copies en" -"registrées sur différents ordinateurs ou médias.

                                                                              Pour en savoir plus sur " -"l'appellation des fichiers et le contrôle des versions, consultez les sites su" -"ivants : UBC Library ou UK Data Archive.

                                                                              " msgid "" -"

                                                                              Typically, good documentation includes information about the study, data-le" -"vel descriptions, and any other contextual information required to make the da" -"ta usable by other researchers.  Other elements you should document, as applic" -"able, include: research methodology used, variable definitions, vocabularies, " -"classification systems, units of measurement, assumptions made, format and fil" -"e type of the data, a description of the data capture and collection methods, " -"explanation of data coding and analysis performed (including syntax files), an" -"d details of who has worked on the project and performed each task, etc.

                                                                              " -<<<<<<< HEAD +"

                                                                              Les Services informatiques ont produit un « Guide de bonnes prati" +"ques pour la sécurité informatique des données de recherc" +"he ».

                                                                              " msgstr "" -"

                                                                              Normalement, une bonne documentation comprend des renseignements sur l'étud" -"e, des descriptions des éléments tels que les variables et d'autres renseignem" -"ents contextuels requis pour que d'autres chercheurs puissent utiliser les don" -"nées. Parmi les autres éléments à documenter, le cas échéant, mentionnons la m" -"éthodologie de recherche utilisée, les définitions des variables, les vocabula" -"ires, les systèmes de classification, les unités de mesure, les hypothèses for" -"mulées, le type de format et de fichier des données, une description des donné" -"es recueillies et des méthodes de collecte, l'explication de l'analyse et de l" -"a codification des données réalisées (y compris les fichiers de syntaxe) et le" -"s renseignements sur les personnes ayant travaillé au projet et réalisé chacun" -"e des tâches, etc.

                                                                              " msgid "" -"

                                                                              Consider how you will capture this information and where it will be recorde" -"d, ideally in advance of data collection and analysis, to ensure accuracy, con" -"sistency, and completeness of the documentation.  Often, resources you've alre" -"ady created can contribute to this (e.g. publications, websites, progress repo" -"rts, etc.).  It is useful to consult regularly with members of the research te" -"am to capture potential changes in data collection/processing that need to be " -"reflected in the documentation.  Individual roles and workflows should include" -" gathering data documentation as a key element.

                                                                              " +"

                                                                              L’équipe de soutien à la gestion des données de " +"recherche peut vous mettre en relation avec des professionnels qualifié" +"s pour vous aider avec les questions d’ordre éthique, juridique e" +"t de propriété intellectuelle: gdr@uqam.ca.

                                                                              " msgstr "" -"

                                                                              Examinez la façon dont vous saisirez ces renseignements et l'emplacement où" -" ils seront enregistrés, idéalement avant de procéder à l'analyse et à la coll" -"ecte de données, afin d'assurer l'exactitude, l'uniformité et l'exhaustivité d" -"es documents. Souvent, les ressources que vous avez déjà créées peuvent contri" -"buer à cela (p. ex. publications, sites Web, rapports d'étape, etc.). Il est u" -"tile de consulter régulièrement les membres de l'équipe de recherche afin de c" -"onnaître les changements possibles dans la collecte ou le traitement des donné" -"es qui doivent être pris en considération dans les documents. La collecte des " -"renseignements sur les données doit être une partie intégrante des responsabil" -"ités des membres de l'équipe et des opérations.

                                                                              " msgid "" -"

                                                                              There are many general and domain-specific metadata standards.  Dataset doc" -"umentation should be provided in one of these standard, machine readable, open" -"ly-accessible formats to enable the effective exchange of information between " -"users and systems.  These standards are often based on language-independent da" -"ta formats such as XML, RDF, and JSON. There are many metadata standards based" -" on these formats, including discipline-specific standards.

                                                                              Read more a" -"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" +"

                                                                              See more about best practices on file formats from the SFU Library.

                                                                              " msgstr "" -"

                                                                              Il existe plusieurs normes de métadonnées générales et propres à un domaine" -". Les informations sur l'ensemble de données doivent être fournies dans un de " -"ces formats standards, ouverts et lisibles par machine afin de permettre l'éch" -"ange efficace d'information entre les utilisateurs et les systèmes. Ces normes" -" s'appuient souvent sur des formats de données comme XML, RDF et JSON qui ne s" -"ont pas liés à un langage de programmation. Il y a plusieurs normes de métadon" -"nées fondées sur ces formats, y compris des normes propres à une discipline. Pour en savoir plus sur les normes de métadonnées, consultez le site suivan" -"t : U" -"K Digital Curation Centre's Disciplinary Metadata

                                                                              " msgid "" -"

                                                                              Storage-space estimates should take into account requirements for file vers" -"ioning, backups, and growth over time. 

                                                                              If you are collecting data ove" -"r a long period (e.g. several months or years), your data storage and backup s" -"trategy should accommodate data growth. Similarly, a long-term storage plan is" -" necessary if you intend to retain your data after the research project.

                                                                              " +"

                                                                              DDI is a common metadata standard for the social sciences. SFU Radar uses D" +"DI Codebook to describe data so other researchers can find it by searching a d" +"iscovery portal like Da" +"taCite.

                                                                              \n" +"

                                                                              Read more about metadata standards: UK Digital Curation Centre's Disciplinary" +" Metadata.

                                                                              " msgstr "" -"

                                                                              Les estimations concernant l'espace de stockage doivent prendre en considér" -"ation les exigences pour le versionnage de fichiers, les sauvegardes et la cro" -"issance du nombre de fichiers au fil du temps.

                                                                              Si vous recueillez des don" -"nées sur une longue période (p. ex. plusieurs mois ou années), votre stratégie" -" en matière de sauvegarde et de stockage des données doit tenir compte de la c" -"roissance des données. De même, un plan de stockage à long terme est nécessair" -"e si vous avez l'intention de conserver vos données après le projet de recherc" -"he.

                                                                              " msgid "" -"

                                                                              The risk of losing data due to human error, natural disasters, or other mis" -"haps can be mitigated by following the 3-2-1 backup rule:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Have at least three copies of your data.
                                                                              • -\n" -"
                                                                              • Store the copies on two different media.
                                                                              • -\n" -"
                                                                              • Keep one backup copy offsite
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Data may be stored using optical or magnetic media, which can be removable " -"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" -"orked (e.g. networked drives or cloud-based servers). Each storage method has " -"benefits and drawbacks that should be considered when determining the most app" -"ropriate solution.

                                                                              -\n" -"

                                                                              Further information on storage and backup practices is available from the <" -"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" -"noopener\">University of Sheffield Library and the UK Dat" -"a Service.

                                                                              " +"

                                                                              If paying for an external hosting service, you will need to keep paying for" +" it, or have some migration plan (e.g., depositing the data into a university " +"repository). SFU Vault or services like Sync may be an option f" +"or some projects.

                                                                              " msgstr "" -"

                                                                              Le risque de perdre des données en raison d'une erreur humaine, de c" -"atastrophes naturelles ou d'autres mésaventures peut être att&eac" -"ute;nué en respectant les 3-2-1 règles de sauvegarde:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Posséder au moins trois copies de vos données.
                                                                              • -\n" -"
                                                                              • Stocker les copies sur deux types de médias différents." -"
                                                                              • -\n" -"
                                                                              • Conserver une copie de sauvegarde hors site
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Les données peuvent être stockées au moyen d'un m&eacut" -"e;dia optique ou magnétique qui peut être amovible (p. ex. D" -"VD et clés USB), fixe (p. ex. lecteurs de disque dur d'ordinateur " -"de bureau ou d'ordinateur portatif) ou en réseau (p. ex. lecteurs en r&" -"eacute;seau ou serveurs basés sur l'infonuagique). Chaque méthod" -"e de stockage comporte des avantages et des inconvénients qui doivent &" -"ecirc;tre pris en considération au moment de déterminer la solut" -"ion la plus appropriée. De plus amples renseignements sur les pratiques" -" de stockage et de sauvegarde sont disponibles sur les sites suivants : Universit" -"y of Sheffield Library and the UK Data Archive.

                                                                              " msgid "" -"

                                                                              An ideal solution is one that facilitates co-operation and ensures data sec" -"urity, yet is able to be adopted by users with minimal training. Transmitting " -"data between locations or within research teams can be challenging for data ma" -"nagement infrastructure. Relying on email for data transfer is not a robust or" -" secure solution. Third-party commercial file sharing services (such as Google" -" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" -"manent or secure, and are often located outside Canada. Please contact your Li" -"brary to develop the best solution for your research project.

                                                                              " +"
                                                                              Encrypting sensitive data is recommended. In almost case" +"s, full disk encryption is preferable; users apply a feature in the computer's oper" +"ating system to encrypt the entire disk. \n" +"
                                                                               
                                                                              \n" +"
                                                                              \n" +"
                                                                              In Windows, encryption of your internal disk or USB driv" +"es can be performed by a service called BitLocker. In Mac OSX, disk" +" encryption can be performed by a service called FileVault. Documen" +"tation of these features is available from Microsoft or Apple. Full disk encry" +"ption is also available in Linux. Note that encrypting a USB drive may li" +"mit its usability across devices.
                                                                              \n" +"
                                                                               
                                                                              \n" +"
                                                                              Encrypted data is less likely to be " +"seen by an unauthorized person if the laptop/external drive is lost or st" +"olen. It's important to consider that merely \"deleti" +"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" +"ata from the computer, and even “secure deletion” tools are not co" +"mpletely effective on modern disks. Consider what security measures are necessary for han" +"dling sensitive data files and for decommissioning the computer disc " +";at the end of its use. \n" +"
                                                                               
                                                                              \n" +"
                                                                              \n" +"
                                                                              For more information about securing sensitive research d" +"ata, consult with SFU's IT Services.
                                                                              " msgstr "" -"

                                                                              Une solution idéale est une solution qui facilite la collaboration, assure " -"la sécurité des données et qui peut être adoptée par les utilisateurs en suiva" -"nt une formation minimale. La transmission de données entre les différents esp" -"aces de travail ou au sein d'équipes de recherche n'est pas toujours simple se" -"lon l'infrastructure de gestion des données. Se fier au courrier électronique " -"pour le transfert de données n'est pas une solution robuste ou sécuritaire. Le" -"s services de partage de fichiers commerciaux de tiers (comme Google Drive et " -"Dropbox) facilitent l'échange de fichiers, mais ne sont pas nécessairement per" -"manents ou sécuritaires et sont souvent situés à l'extérieur du Canada. Commun" -"iquez avec votre bibliothèque pour mettre au point la meilleure solution pour " -"votre projet de recherche.

                                                                              " msgid "" -"

                                                                              The issue of data retention should be considered early in the research life" -"cycle. Data-retention decisions can be driven by external policies (e.g. fund" -"ing agencies, journal publishers), or by an understanding of the enduring valu" -"e of a given set of data. The need to preserve data in the short-term (i.e. f" -"or peer-verification purposes) or long-term (for data of lasting value), will " -"influence the choice of data repository or archive. A helpful analogy is to t" -"hink of creating a 'living will' for the data, that is, a plan describing how " -"future researchers will have continued access to the data.

                                                                              If you need a" -"ssistance locating a suitable data repository or archive, please contact your " -"Library.

                                                                              re3data.org is a directory of potential open data repositories. Verify whether or not t" -"he data repository will provide a statement agreeing to the terms of deposit o" -"utlined in your Data Management Plan.

                                                                              " +"

                                                                              Consider contacting SFU Library Data Services to develop the best solution for y" +"our research project.

                                                                              " +msgstr "" + +msgid "" +"

                                                                              If you need assistance locating a suitable data repository or archive, plea" +"se contact SFU Libr" +"ary Data Services. re3data.or" +"g is a directory of potential open data repositories.

                                                                              " msgstr "" -"

                                                                              La question de la rétention des données doit être examinée tôt dans le cycl" -"e de vie de la recherche. Les décisions relatives à la rétention des données p" -"euvent être dictées par des politiques externes (p. ex. organismes de financem" -"ent, éditeurs de revues) ou par une compréhension de la valeur durable d'un en" -"semble de données déterminé. La nécessité de préserver les données à court ter" -"me (c.-à-d. à des fins de vérification par des pairs) ou à long terme (pour le" -"s données de valeur durable) influencera le choix de l'archive ou du dépôt de " -"données. Une analogie utile consiste à penser à créer un « testament de vie » " -"pour les données, c'est-à-dire un plan qui décrit la façon dont les futurs che" -"rcheurs continueront d'avoir accès aux données.

                                                                              Si vous avez besoin d'aide " -"pour trouver une archive ou un dépôt de données approprié, communiquez avec vo" -"tre bibliothèque.

                                                                              re3dat" -"a.org est un répertoire de dépôts de données ouvertes. Vérifiez si le dépô" -"t de données pourra vous fournir une confirmation que les termes du dépôt énon" -"cés dans votre plan de gestion des données seront respectés.

                                                                              " msgid "" "

                                                                              Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" -".csv'), are considered preservation-friendly. The UK Data Service provides a u" -"seful table of file formats for various types of data. Keep in mind that prese" -"rvation-friendly files converted from one format to another may lose informati" -"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " -"so changes to file formats should be documented.

                                                                              -\n" -"

                                                                              Identify steps required following project completion in order to ensure the" -" data you are choosing to preserve or share is anonymous, error-free, and conv" -"erted to recommended formats with a minimal risk of data loss.

                                                                              -\n" -"

                                                                              Read more about anonymization: UBC Library<" -"/a> or UK Data Service.

                                                                              " +"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" +"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" +" preservation-friendly files converted from one format to another may lose inf" +"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" +"ile), so changes to file formats should be documented, and you may want to ret" +"ain original formats, even if they are proprietary.

                                                                              " msgstr "" -"

                                                                              Certains formats de données sont idéals pour la conservation à long terme d" -"es données. Par exemple, les formats de fichier non-propriétaires, comme le fo" -"rmat texte (.txt) et les valeurs séparées par des virgules (.csv), sont consid" -"érés comme des formats conçus pour la conservation. Le UK Data Archive (dépôt " -"de données du Royaume-Uni) fournit un tableau utile des formats de fichier pou" -"r divers types de données. Il faut se rappeler que les fichiers qui sont conve" -"rtis d'un format à l'autre peuvent perdre des renseignements (p. ex. en conver" -"tissant un fichier TIFF non compressé à un fichier JPG compressé). Ainsi, les " -"modifications apportées aux formats de fichier doivent être documentées.

                                                                              D" -"éterminez les étapes à suivre à la fin d'un projet pour s'assurer que les donn" -"ées que vous choisissez de préserver ou de partager sont anonymes, exemptes d'" -"erreur et converties dans les formats recommandés en assurant un risque minima" -"l de perte de données.

                                                                              Pour en savoir plus sur l'anonymisation, consultez" -" les sites suivants :UBC Library ou UK Data Archive" -".

                                                                              " msgid "" -"

                                                                              Raw data are the data directly obtained from the instrument, simulat" -"ion or survey.

                                                                              Processed data result from some manipulation of th" -"e raw data in order to eliminate errors or outliers, to prepare the data for a" -"nalysis, to derive new variables, or to de-identify the human participants.

                                                                              Analyzed data are the the results of qualitative, statistical, or " -"mathematical analysis of the processed data. They can be presented as graphs, " -"charts or statistical tables.

                                                                              Final data are processed data that " -"have, if needed, been converted into a preservation-friendly format.

                                                                              Con" -"sider which data may need to be shared in order to meet institutional or fundi" -"ng requirements, and which data may be restricted because of confidentiality/p" -"rivacy/intellectual property considerations.

                                                                              " +"

                                                                              There are various creative commons licenses which can be applied to data. <" +"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" +"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" +" at SFU.

                                                                              " msgstr "" -"

                                                                              Les données brutes sont des données obtenues directement de l'instru" -"ment, de la simulation ou de l'enquête.

                                                                              Les données traitées découle" -"nt d'une certaine manipulation des données brutes afin d'éliminer les erreurs " -"ou les valeurs aberrantes, de préparer les données en vue de l'analyse, d'obte" -"nir de nouvelles variables ou d'anonymiser les participants humains.

                                                                              Le" -"s données analysées sont les résultats d'une analyse qualitative, statisti" -"que ou mathématique des données traitées. Elles peuvent être présentées sous " -"forme de graphiques, de diagrammes ou de tableaux statistiques.

                                                                              Les donn" -"ées définitives sont des données traitées qui ont été converties, au besoi" -"n, dans un format pouvant être préservé.

                                                                              Examinez les données qui peuvent d" -"evoir être partagées afin de respecter les exigences institutionnelles ou de f" -"inancement et les données qui peuvent faire l'objet de restrictions en raison " -"de préoccupations relatives à la confidentialité, au respect de la vie privée " -"et à la propriété intellectuelle.

                                                                              " msgid "" -"

                                                                              Licenses determine what uses can be made of your data. Funding agencies and" -"/or data repositories may have end-user license requirements in place; if not," -" they may still be able to guide you in the development of a license. Once cre" -"ated, please consider including a copy of your end-user license with your Data" -" Management Plan. Note that only the intellectual property rights holder(s) c" -"an issue a license, so it is crucial to clarify who owns those rights.

                                                                              " -"There are several types of standard licenses available to researchers, such as" -" the Creative Com" -"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" -"sier to use a standard license rather than to devise a custom-made one. Note t" -"hat even if you choose to make your data part of the public domain, it is pref" -"erable to make this explicit by using a license such as Creative Commons' CC0" -".

                                                                              Read more about data licensing: UK Digital Curation Cent" -"re.

                                                                              " +"

                                                                              If possible, choose a repository like the Canadian Federated Research Data " +"Repository, FRDR for short,  that will assign a persistent identifier (such" +" as a DOI) to your dataset. This will ensure a stable access to the dataset an" +"d make it retrievable by various discovery tools. DataCite Search is a discov" +"ery portal for research data. If you deposit in SFU Radar or a repository inde" +"xed in the Re" +"gistry of Research Data Repositories, your records will appear in the port" +"al's keyword search results.

                                                                              " msgstr "" -"

                                                                              Les licences déterminent les utilisations permises de vos données. Les orga" -"nismes de financement et les dépôts de données peuvent avoir des exigences rel" -"atives à la licence d'utilisation. Si ce n'est pas le cas, ils peuvent vous gu" -"ider dans l'établissement d'une licence. Une fois la licence créée, veuillez e" -"nvisager d'inclure une copie de votre licence d'utilisation avec votre plan de" -" gestion des données. Il convient de noter que seuls les titulaires des droits" -" de propriété intellectuelle peuvent émettre une licence, il est dont essentie" -"l de préciser à qui appartient ces droits.

                                                                              Il existe plusieurs types de li" -"cences standards mises à la disposition des chercheurs comme les licences Creative Commons" -" et les licence" -"s Open Data Commons. En fait, pour la plupart des ensembles de données, il" -" est plus facile d'utiliser une licence standard plutôt que de concevoir une l" -"icence personnalisée. Veuillez noter que même si vous choisissez de rendre vos" -" données publiques, il est préférable de l'indiquer de manière explicite en ut" -"ilisant une licence comme celle CC0 de Creative Commons.

                                                                              Pour en savoir p" -"lus sur les licences d'exploitation des données, consultez le site suivant : <" -"a href=\"http://www.dcc.ac.uk/resources/how-guides/license-research-data\" targe" -"t=\"_blank\">UK Digital Curation Centre.

                                                                              " msgid "" -"

                                                                              Possibilities include: data registries, repositories, indexes, word-of-mout" -"h, publications.

                                                                              How will the data be accessed (Web service, ftp, etc.)?" -" If possible, choose a repository that will assign a persistent identifier (su" -"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " -"and make it retrievable by various discovery tools.

                                                                              One of the best ways" -" to refer other researchers to your deposited datasets is to cite them the sam" -"e way you cite other types of publications (articles, books, proceedings). The" -" Digital Curation Centre provides a detailed guide on data citation.No" -"te that some data repositories also create links from datasets to their associ" -"ated papers, thus increasing the visibility of the publications.

                                                                              Contact" -" your Library for assistance in making your dataset visible and easily accessi" -"ble.

                                                                              Reused from NIH. (2009). Key Elements to Cons" -"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" -"al Institutes of Health.

                                                                              " +"

                                                                              If you need advice on identifying potential support, contact data-services@" +"sfu.ca

                                                                              " msgstr "" -"

                                                                              Les possibilités comprennent : registres de données, dépôts, index, bouche-" -"à-oreille, publications.

                                                                              Comment pourra-t-on accéder aux données (servic" -"e Web, ftp, etc.)?  Dans la mesure du possible, choisissez un dépôt qui a" -"ttribuera un identifiant constant (comme un DOI) à votre ensemble de données. " -"Cela permettra ainsi d'assurer un accès stable à l'ensemble de données et il p" -"ourra être accessible grâce à divers outils de recherche.

                                                                              Une des meille" -"ures façons d'orienter d'autres chercheurs vers vos ensembles de données dépos" -"és consiste à les citer de la même façon que d'autres types de publications (a" -"rticles, livres, procédures). Le Digital Curation Centre fournit un guide<" -"/a> détaillé sur la citation des données. Veuillez noter que certains dépôts d" -"e données établissent également des liens entre les ensembles de données et le" -"s articles connexes, ce qui accroît ainsi la visibilité des publications.

                                                                              Co" -"mmuniquez avec votre bibliothèque pour obtenir de l'aide pour donner de la vis" -"ibilité à votre ensemble de données et le rendre facilement accessible. <" -"/p>

                                                                              Réutilisé des NIH. (2009). Key Elements to Consider" -" in Preparing a Data Sharing Plan Under NIH Extramural Support (Principaux élé" -"ments à prendre en considération dans l'établissement d'un plan de partage des" -" données en vertu du soutien extra-muros des NIH). National Institutes of " -"Health.

                                                                              " msgid "" -======= +"

                                                                              Decisions relevant to data retention and storage should align with SFU's Of" +"fice of Research Ethics requirements.

                                                                              " msgstr "" -"

                                                                              Normalement, une bonne documentation comprend des renseignements sur l'étud" -"e, des descriptions des éléments tels que les variables et d'autres renseignem" -"ents contextuels requis pour que d'autres chercheurs puissent utiliser les don" -"nées. Parmi les autres éléments à documenter, le cas échéant, mentionnons la m" -"éthodologie de recherche utilisée, les définitions des variables, les vocabula" -"ires, les systèmes de classification, les unités de mesure, les hypothèses for" -"mulées, le type de format et de fichier des données, une description des donné" -"es recueillies et des méthodes de collecte, l'explication de l'analyse et de l" -"a codification des données réalisées (y compris les fichiers de syntaxe) et le" -"s renseignements sur les personnes ayant travaillé au projet et réalisé chacun" -"e des tâches, etc.

                                                                              " msgid "" -"

                                                                              Consider how you will capture this information and where it will be recorde" -"d, ideally in advance of data collection and analysis, to ensure accuracy, con" -"sistency, and completeness of the documentation.  Often, resources you've alre" -"ady created can contribute to this (e.g. publications, websites, progress repo" -"rts, etc.).  It is useful to consult regularly with members of the research te" -"am to capture potential changes in data collection/processing that need to be " -"reflected in the documentation.  Individual roles and workflows should include" -" gathering data documentation as a key element.

                                                                              " +"

                                                                              SFU's Office of Research Ethics' consent statement shou" +"ld be consulted when working with human participants.

                                                                              \n" +"

                                                                              The Interuniversity Consortium f" +"or Political and Social Research (ISPSR) and the Australian National Data Service<" +"/a> also provide examples of informed consent language for data sharing.

                                                                              " msgstr "" -"

                                                                              Examinez la façon dont vous saisirez ces renseignements et l'emplacement où" -" ils seront enregistrés, idéalement avant de procéder à l'analyse et à la coll" -"ecte de données, afin d'assurer l'exactitude, l'uniformité et l'exhaustivité d" -"es documents. Souvent, les ressources que vous avez déjà créées peuvent contri" -"buer à cela (p. ex. publications, sites Web, rapports d'étape, etc.). Il est u" -"tile de consulter régulièrement les membres de l'équipe de recherche afin de c" -"onnaître les changements possibles dans la collecte ou le traitement des donné" -"es qui doivent être pris en considération dans les documents. La collecte des " -"renseignements sur les données doit être une partie intégrante des responsabil" -"ités des membres de l'équipe et des opérations.

                                                                              " msgid "" -"

                                                                              There are many general and domain-specific metadata standards.  Dataset doc" -"umentation should be provided in one of these standard, machine readable, open" -"ly-accessible formats to enable the effective exchange of information between " -"users and systems.  These standards are often based on language-independent da" -"ta formats such as XML, RDF, and JSON. There are many metadata standards based" -" on these formats, including discipline-specific standards.

                                                                              Read more a" -"bout metadata standards: UK Digital Curation Centre's Disciplinary Metadata" +"

                                                                              The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" +"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" +"e of personal information collected in research projects. This does not mean, " +"however, that sensitive information collected as part of your research does no" +"t need to be safeguarded. Please refer to University Ethics Review (R 20." +"01).

                                                                              \n" +"

                                                                              IP issues should be clarified at the commencement of your research proj" +"ect so that all collaborators have a mutual understanding of ownership, to pre" +"vent potential conflict later.

                                                                              " msgstr "" -"

                                                                              Il existe plusieurs normes de métadonnées générales et propres à un domaine" -". Les informations sur l'ensemble de données doivent être fournies dans un de " -"ces formats standards, ouverts et lisibles par machine afin de permettre l'éch" -"ange efficace d'information entre les utilisateurs et les systèmes. Ces normes" -" s'appuient souvent sur des formats de données comme XML, RDF et JSON qui ne s" -"ont pas liés à un langage de programmation. Il y a plusieurs normes de métadon" -"nées fondées sur ces formats, y compris des normes propres à une discipline. Pour en savoir plus sur les normes de métadonnées, consultez le site suivan" -"t : U" -"K Digital Curation Centre's Disciplinary Metadata

                                                                              " msgid "" -"

                                                                              Storage-space estimates should take into account requirements for file vers" -"ioning, backups, and growth over time. 

                                                                              If you are collecting data ove" -"r a long period (e.g. several months or years), your data storage and backup s" -"trategy should accommodate data growth. Similarly, a long-term storage plan is" -" necessary if you intend to retain your data after the research project.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              For more information on file formats, see Concordia Library’s Research data management guide.

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Les estimations concernant l'espace de stockage doivent prendre en considér" -"ation les exigences pour le versionnage de fichiers, les sauvegardes et la cro" -"issance du nombre de fichiers au fil du temps.

                                                                              Si vous recueillez des don" -"nées sur une longue période (p. ex. plusieurs mois ou années), votre stratégie" -" en matière de sauvegarde et de stockage des données doit tenir compte de la c" -"roissance des données. De même, un plan de stockage à long terme est nécessair" -"e si vous avez l'intention de conserver vos données après le projet de recherc" -"he.

                                                                              " msgid "" -"

                                                                              The risk of losing data due to human error, natural disasters, or other mis" -"haps can be mitigated by following the 3-2-1 backup rule:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Have at least three copies of your data.
                                                                              • -\n" -"
                                                                              • Store the copies on two different media.
                                                                              • -\n" -"
                                                                              • Keep one backup copy offsite
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Data may be stored using optical or magnetic media, which can be removable " -"(e.g. DVD and USB drives), fixed (e.g. desktop or laptop hard drives), or netw" -"orked (e.g. networked drives or cloud-based servers). Each storage method has " -"benefits and drawbacks that should be considered when determining the most app" -"ropriate solution.

                                                                              -\n" -"

                                                                              Further information on storage and backup practices is available from the <" -"a href=\"https://www.sheffield.ac.uk/library/rdm/storage\" target=\"_blank\" rel=\"" -"noopener\">University of Sheffield Library and the UK Dat" -"a Service.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              For more information on metadata standards, see Concordia Library’s Re" +"search data management guide

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Le risque de perdre des données en raison d'une erreur humaine, de c" -"atastrophes naturelles ou d'autres mésaventures peut être att&eac" -"ute;nué en respectant les 3-2-1 règles de sauvegarde:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Posséder au moins trois copies de vos données.
                                                                              • -\n" -"
                                                                              • Stocker les copies sur deux types de médias différents." -"
                                                                              • -\n" -"
                                                                              • Conserver une copie de sauvegarde hors site
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Les données peuvent être stockées au moyen d'un m&eacut" -"e;dia optique ou magnétique qui peut être amovible (p. ex. D" -"VD et clés USB), fixe (p. ex. lecteurs de disque dur d'ordinateur " -"de bureau ou d'ordinateur portatif) ou en réseau (p. ex. lecteurs en r&" -"eacute;seau ou serveurs basés sur l'infonuagique). Chaque méthod" -"e de stockage comporte des avantages et des inconvénients qui doivent &" -"ecirc;tre pris en considération au moment de déterminer la solut" -"ion la plus appropriée. De plus amples renseignements sur les pratiques" -" de stockage et de sauvegarde sont disponibles sur les sites suivants : Universit" -"y of Sheffield Library and the UK Data Archive.

                                                                              " msgid "" -"

                                                                              An ideal solution is one that facilitates co-operation and ensures data sec" -"urity, yet is able to be adopted by users with minimal training. Transmitting " -"data between locations or within research teams can be challenging for data ma" -"nagement infrastructure. Relying on email for data transfer is not a robust or" -" secure solution. Third-party commercial file sharing services (such as Google" -" Drive and Dropbox) facilitate file exchange, but they are not necessarily per" -"manent or secure, and are often located outside Canada. Please contact your Li" -"brary to develop the best solution for your research project.

                                                                              " +"

                                                                              For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact the Concordia " +"IT Research Support Team.

                                                                              " msgstr "" -"

                                                                              Une solution idéale est une solution qui facilite la collaboration, assure " -"la sécurité des données et qui peut être adoptée par les utilisateurs en suiva" -"nt une formation minimale. La transmission de données entre les différents esp" -"aces de travail ou au sein d'équipes de recherche n'est pas toujours simple se" -"lon l'infrastructure de gestion des données. Se fier au courrier électronique " -"pour le transfert de données n'est pas une solution robuste ou sécuritaire. Le" -"s services de partage de fichiers commerciaux de tiers (comme Google Drive et " -"Dropbox) facilitent l'échange de fichiers, mais ne sont pas nécessairement per" -"manents ou sécuritaires et sont souvent situés à l'extérieur du Canada. Commun" -"iquez avec votre bibliothèque pour mettre au point la meilleure solution pour " -"votre projet de recherche.

                                                                              " msgid "" -"

                                                                              The issue of data retention should be considered early in the research life" -"cycle. Data-retention decisions can be driven by external policies (e.g. fund" -"ing agencies, journal publishers), or by an understanding of the enduring valu" -"e of a given set of data. The need to preserve data in the short-term (i.e. f" -"or peer-verification purposes) or long-term (for data of lasting value), will " -"influence the choice of data repository or archive. A helpful analogy is to t" -"hink of creating a 'living will' for the data, that is, a plan describing how " -"future researchers will have continued access to the data.

                                                                              If you need a" -"ssistance locating a suitable data repository or archive, please contact your " -"Library.

                                                                              re3data.org is a directory of potential open data repositories. Verify whether or not t" -"he data repository will provide a statement agreeing to the terms of deposit o" -"utlined in your Data Management Plan.

                                                                              " +"

                                                                              For more information on data storage and backup, see Concordia Library&rsqu" +"o;s Research data management guide.

                                                                              \n" +"

                                                                              For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

                                                                              " msgstr "" -"

                                                                              La question de la rétention des données doit être examinée tôt dans le cycl" -"e de vie de la recherche. Les décisions relatives à la rétention des données p" -"euvent être dictées par des politiques externes (p. ex. organismes de financem" -"ent, éditeurs de revues) ou par une compréhension de la valeur durable d'un en" -"semble de données déterminé. La nécessité de préserver les données à court ter" -"me (c.-à-d. à des fins de vérification par des pairs) ou à long terme (pour le" -"s données de valeur durable) influencera le choix de l'archive ou du dépôt de " -"données. Une analogie utile consiste à penser à créer un « testament de vie » " -"pour les données, c'est-à-dire un plan qui décrit la façon dont les futurs che" -"rcheurs continueront d'avoir accès aux données.

                                                                              Si vous avez besoin d'aide " -"pour trouver une archive ou un dépôt de données approprié, communiquez avec vo" -"tre bibliothèque.

                                                                              re3dat" -"a.org est un répertoire de dépôts de données ouvertes. Vérifiez si le dépô" -"t de données pourra vous fournir une confirmation que les termes du dépôt énon" -"cés dans votre plan de gestion des données seront respectés.

                                                                              " msgid "" -"

                                                                              Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as text ('.txt') and comma-separated ('" -".csv'), are considered preservation-friendly. The UK Data Service provides a u" -"seful table of file formats for various types of data. Keep in mind that prese" -"rvation-friendly files converted from one format to another may lose informati" -"on (e.g. converting from an uncompressed TIFF file to a compressed JPG file), " -"so changes to file formats should be documented.

                                                                              -\n" -"

                                                                              Identify steps required following project completion in order to ensure the" -" data you are choosing to preserve or share is anonymous, error-free, and conv" -"erted to recommended formats with a minimal risk of data loss.

                                                                              -\n" -"

                                                                              Read more about anonymization: UBC Library<" -"/a> or UK Data Service.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              Datasets containing sensitive data or data files larger than 15MB should no" +"t be transferred via email.

                                                                              \n" +"

                                                                              Please contact Concordia's IT Research Support Team for the exchan" +"ge of files with external organizations or for assistance with other issues re" +"lated to network services (connectivity with other external research centers o" +"r for high capacity, high volume data transfers).  

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Certains formats de données sont idéals pour la conservation à long terme d" -"es données. Par exemple, les formats de fichier non-propriétaires, comme le fo" -"rmat texte (.txt) et les valeurs séparées par des virgules (.csv), sont consid" -"érés comme des formats conçus pour la conservation. Le UK Data Archive (dépôt " -"de données du Royaume-Uni) fournit un tableau utile des formats de fichier pou" -"r divers types de données. Il faut se rappeler que les fichiers qui sont conve" -"rtis d'un format à l'autre peuvent perdre des renseignements (p. ex. en conver" -"tissant un fichier TIFF non compressé à un fichier JPG compressé). Ainsi, les " -"modifications apportées aux formats de fichier doivent être documentées.

                                                                              D" -"éterminez les étapes à suivre à la fin d'un projet pour s'assurer que les donn" -"ées que vous choisissez de préserver ou de partager sont anonymes, exemptes d'" -"erreur et converties dans les formats recommandés en assurant un risque minima" -"l de perte de données.

                                                                              Pour en savoir plus sur l'anonymisation, consultez" -" les sites suivants :UBC Library ou UK Data Archive" -".

                                                                              " msgid "" -"

                                                                              Raw data are the data directly obtained from the instrument, simulat" -"ion or survey.

                                                                              Processed data result from some manipulation of th" -"e raw data in order to eliminate errors or outliers, to prepare the data for a" -"nalysis, to derive new variables, or to de-identify the human participants.

                                                                              Analyzed data are the the results of qualitative, statistical, or " -"mathematical analysis of the processed data. They can be presented as graphs, " -"charts or statistical tables.

                                                                              Final data are processed data that " -"have, if needed, been converted into a preservation-friendly format.

                                                                              Con" -"sider which data may need to be shared in order to meet institutional or fundi" -"ng requirements, and which data may be restricted because of confidentiality/p" -"rivacy/intellectual property considerations.

                                                                              " +"

                                                                              For more information on data archiving options, see Concordia Library&rsquo" +";s Research data management guide.

                                                                              " msgstr "" -"

                                                                              Les données brutes sont des données obtenues directement de l'instru" -"ment, de la simulation ou de l'enquête.

                                                                              Les données traitées découle" -"nt d'une certaine manipulation des données brutes afin d'éliminer les erreurs " -"ou les valeurs aberrantes, de préparer les données en vue de l'analyse, d'obte" -"nir de nouvelles variables ou d'anonymiser les participants humains.

                                                                              Le" -"s données analysées sont les résultats d'une analyse qualitative, statisti" -"que ou mathématique des données traitées. Elles peuvent être présentées sous " -"forme de graphiques, de diagrammes ou de tableaux statistiques.

                                                                              Les donn" -"ées définitives sont des données traitées qui ont été converties, au besoi" -"n, dans un format pouvant être préservé.

                                                                              Examinez les données qui peuvent d" -"evoir être partagées afin de respecter les exigences institutionnelles ou de f" -"inancement et les données qui peuvent faire l'objet de restrictions en raison " -"de préoccupations relatives à la confidentialité, au respect de la vie privée " -"et à la propriété intellectuelle.

                                                                              " msgid "" -"

                                                                              Licenses determine what uses can be made of your data. Funding agencies and" -"/or data repositories may have end-user license requirements in place; if not," -" they may still be able to guide you in the development of a license. Once cre" -"ated, please consider including a copy of your end-user license with your Data" -" Management Plan. Note that only the intellectual property rights holder(s) c" -"an issue a license, so it is crucial to clarify who owns those rights.

                                                                              " -"There are several types of standard licenses available to researchers, such as" -" the Creative Com" -"mons licenses and the Open Data Commons licenses. In fact, for most datasets it is ea" -"sier to use a standard license rather than to devise a custom-made one. Note t" -"hat even if you choose to make your data part of the public domain, it is pref" -"erable to make this explicit by using a license such as Creative Commons' CC0" -".

                                                                              Read more about data licensing: UK Digital Curation Cent" -"re.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              For more information, please contact copyright.questions@concordia.ca

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Les licences déterminent les utilisations permises de vos données. Les orga" -"nismes de financement et les dépôts de données peuvent avoir des exigences rel" -"atives à la licence d'utilisation. Si ce n'est pas le cas, ils peuvent vous gu" -"ider dans l'établissement d'une licence. Une fois la licence créée, veuillez e" -"nvisager d'inclure une copie de votre licence d'utilisation avec votre plan de" -" gestion des données. Il convient de noter que seuls les titulaires des droits" -" de propriété intellectuelle peuvent émettre une licence, il est dont essentie" -"l de préciser à qui appartient ces droits.

                                                                              Il existe plusieurs types de li" -"cences standards mises à la disposition des chercheurs comme les licences Creative Commons" -" et les licence" -"s Open Data Commons. En fait, pour la plupart des ensembles de données, il" -" est plus facile d'utiliser une licence standard plutôt que de concevoir une l" -"icence personnalisée. Veuillez noter que même si vous choisissez de rendre vos" -" données publiques, il est préférable de l'indiquer de manière explicite en ut" -"ilisant une licence comme celle CC0 de Creative Commons.

                                                                              Pour en savoir p" -"lus sur les licences d'exploitation des données, consultez le site suivant : <" -"a href=\"http://www.dcc.ac.uk/resources/how-guides/license-research-data\" targe" -"t=\"_blank\">UK Digital Curation Centre.

                                                                              " msgid "" -"

                                                                              Possibilities include: data registries, repositories, indexes, word-of-mout" -"h, publications.

                                                                              How will the data be accessed (Web service, ftp, etc.)?" -" If possible, choose a repository that will assign a persistent identifier (su" -"ch as a DOI) to your dataset. This will ensure a stable access to the dataset " -"and make it retrievable by various discovery tools.

                                                                              One of the best ways" -" to refer other researchers to your deposited datasets is to cite them the sam" -"e way you cite other types of publications (articles, books, proceedings). The" -" Digital Curation Centre provides a detailed guide on data citation.No" -"te that some data repositories also create links from datasets to their associ" -"ated papers, thus increasing the visibility of the publications.

                                                                              Contact" -" your Library for assistance in making your dataset visible and easily accessi" -"ble.

                                                                              Reused from NIH. (2009). Key Elements to Cons" -"ider in Preparing a Data Sharing Plan Under NIH Extramural Support. Nation" -"al Institutes of Health.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              Although there are no absolute rules to determine the cost of data curation" +", some guidelines and tools have been developed to help researchers estimate t" +"hese costs. See for instance the information and tool " +"provided by the UK Data Service.

                                                                              \n" +"

                                                                              Another version of this t" +"ool, with examples of actual costs (in Euros), was developed by librarians" +" and IT staff at Utrecht University.

                                                                              \n" +"

                                                                              For assistance with IT requirements definition and IT infrastructure & " +"solutions review or for help regarding business case preparation for new inves" +"tment in IT infrastructure for researchers, please contact Concordia's IT" +" Research Support Team.

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Les possibilités comprennent : registres de données, dépôts, index, bouche-" -"à-oreille, publications.

                                                                              Comment pourra-t-on accéder aux données (servic" -"e Web, ftp, etc.)?  Dans la mesure du possible, choisissez un dépôt qui a" -"ttribuera un identifiant constant (comme un DOI) à votre ensemble de données. " -"Cela permettra ainsi d'assurer un accès stable à l'ensemble de données et il p" -"ourra être accessible grâce à divers outils de recherche.

                                                                              Une des meille" -"ures façons d'orienter d'autres chercheurs vers vos ensembles de données dépos" -"és consiste à les citer de la même façon que d'autres types de publications (a" -"rticles, livres, procédures). Le Digital Curation Centre fournit un guide<" -"/a> détaillé sur la citation des données. Veuillez noter que certains dépôts d" -"e données établissent également des liens entre les ensembles de données et le" -"s articles connexes, ce qui accroît ainsi la visibilité des publications.

                                                                              Co" -"mmuniquez avec votre bibliothèque pour obtenir de l'aide pour donner de la vis" -"ibilité à votre ensemble de données et le rendre facilement accessible. <" -"/p>

                                                                              Réutilisé des NIH. (2009). Key Elements to Consider" -" in Preparing a Data Sharing Plan Under NIH Extramural Support (Principaux élé" -"ments à prendre en considération dans l'établissement d'un plan de partage des" -" données en vertu du soutien extra-muros des NIH). National Institutes of " -"Health.

                                                                              " msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                              Your data management plan has identified important data activities in your " -"project. Identify who will be responsible -- individuals or organizations -- f" -"or carrying out these parts of your data management plan. This could also incl" -"ude the timeframe associated with these staff responsibilities and any trainin" -"g needed to prepare staff for these duties.

                                                                              " -<<<<<<< HEAD +"

                                                                              The answer to this question must be in line with Concordia University&rsquo" +";s Policy for the Ethic" +"al Review of Research Involving Human Participants.

                                                                              \n" +"

                                                                              The information provided here may be useful in completing section 13 (confi" +"dentiality, access, and storage) of the Summary Protoc" +"ol Form (SPF) for research involving human participants.

                                                                              \n" +"

                                                                              For technical assistance, please contact Concordia's IT Research Suppo" +"rt Team.

                                                                              \n" +"

                                                                              For questions concerning ethics, Concordia's Offi" +"ce of Research.

                                                                              " msgstr "" -"

                                                                              Votre plan de gestion des données a identifié les activités importantes rel" -"atives à la gestion des données dans le cadre de votre projet. Indiquez les re" -"sponsables -- des personnes ou des organisations -- de l'exécution de ces par" -"ties de votre plan de gestion des données. Cela pourrait également comprendre " -"le calendrier associé à ces responsabilités et toute formation nécessaire afin" -" de préparer le personnel à assumer ces fonctions.

                                                                              " msgid "" -"

                                                                              Indicate a succession strategy for these data in the event that one or more" -" people responsible for the data leaves (e.g. a graduate student leaving after" -" graduation). Describe the process to be followed in the event that the Princi" -"pal Investigator leaves the project. In some instances, a co-investigator or t" -"he department or division overseeing this research will assume responsibility." -"

                                                                              " +"

                                                                              The information provided here may also be useful in completing section 13 (" +"confidentiality, access, and storage) of the Summ" +"ary Protocol Form (SPF) for research involving human participants.

                                                                              " msgstr "" -"

                                                                              Indiquez une stratégie de planification de la relève pour ces données dans " -"l'éventualité où une ou plusieurs personnes responsables des données quittent " -"le projet (p. ex. un étudiant aux cycles supérieurs qui quitte après l'obtenti" -"on de son diplôme). Décrivez le processus à suivre dans l'éventualité où le ch" -"ercheur principal quitte le projet. Dans certains cas, un cochercheur, le dépa" -"rtement ou la division qui supervise cette recherche en assumera la responsabi" -"lité.

                                                                              " msgid "" -"

                                                                              This estimate should incorporate data management costs incurred during the " -"project as well as those required for the longer-term support for the data aft" -"er the project is finished. Items to consider in the latter category of expens" -"es include the costs of curating and providing long-term access to the data. S" -"ome funding agencies state explicitly the support that they will provide to me" -"et the cost of preparing data for deposit. This might include technical aspect" -"s of data management, training requirements, file storage & backup, and contri" -"butions of non-project staff.

                                                                              " +" \n" +" \n" +" \n" +" \n" +" \n" +" \n" +"
                                                                              \n" +"

                                                                              Concordia University researchers must abide by the University’s policies related to research.

                                                                              \n" +"

                                                                              Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" +"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" +"nbsp;

                                                                              \n" +"

                                                                              For more information on intellectual property or copyright issues, please c" +"ontact copyright.questions@concordia.ca

                                                                              \n" +"

                                                                              For more information on research ethics please contact Concordia's Office of Research.

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              Cette évaluation doit comprendre les coûts de gestion des données encourus " -"au cours du projet ainsi que les coûts requis pour le soutien à plus long term" -"e des données après la fin du projet. Les points à considérer dans la dernière" -" catégorie de dépenses comprennent les coûts d'entretien et de prestation d'u" -"n accès à long terme aux données. Certains organismes de financement indiquent" -" de façon explicite le soutien qu'ils fourniront afin de respecter les coûts r" -"elatifs à la préparation des données à déposer. Cela peut comprendre les aspec" -"ts techniques de la gestion de données, les exigences en matière de formation," -" le stockage et la sauvegarde des fichiers et le travail du personnel ne faisa" -"nt pas partie du projet.

                                                                              " msgid "" -"

                                                                              Consider where, how, and to whom sensitive data with acknowledged long-term" -" value should be made available, and how long it should be archived. These dec" -"isions should align with Research Ethics Board requirements. The methods used " -"to share data will be dependent on a number of factors such as the type, size," -" complexity and degree of sensitivity of data. Outline problems anticipated in" -" sharing data, along with causes and possible measures to mitigate these. Prob" -"lems may include confidentiality, lack of consent agreements, or concerns abou" -"t Intellectual Property Rights, among others. In some instances, an embargo pe" -"riod may be justified; these may be defined by a funding agency's policy on re" -"search data.

                                                                              Reused from: DCC. (2013). Checklist for a Data Management" -" Plan. v.4.0. Edinburgh: Digital Curation Centre

                                                                              Restrictions can be" -" imposed by limiting physical access to storage devices, by placing data on co" -"mputers that do not have external network access (i.e. access to the Internet)" -", through password protection, and by encrypting files. Sensitive data should" -" never be shared via email or cloud storage services such as Dropbox.

                                                                              " +"

                                                                              Research Data Manag" +"ement Guide

                                                                              " msgstr "" -"

                                                                              Examinez où et comment les données sensibles ayant une valeur à long terme " -"reconnue doivent être rendues disponibles et à qui, de même que pendant combie" -"n de temps elles doivent être archivées. Ces décisions doivent respecter les " -"exigences du comité d'éthique de la recherche. Les méthodes utilisées pour par" -"tager les données dépendront d'un certain nombre de facteurs comme le type, la" -" taille, la complexité et le degré de sensibilité des données. Décrivez les pr" -"oblèmes prévus dans le partage des données, ainsi que les causes et les mesure" -"s possibles pour les atténuer. Les problèmes peuvent comprendre, entre autres," -" la confidentialité, l'absence de consentement ou les préoccupations au sujet " -"des droits de propriété intellectuelle. Dans certains cas, une période d'embar" -"go peut être justifiée; ces cas peuvent être définis dans la politique sur les" -" données de recherche d'un organisme de financement.

                                                                              Réutilisé de : DCC." -" (2013). Checklist for a Data Management Plan (Liste de vérification pour un " -"plan de gestion des données). v.4.0. Edinburgh: Digital Curation Centre

                                                                              Des restrictions peuvent être imposées en limitant l'accès physique aux di" -"spositifs de stockage, en enregistrant les données sur des ordinateurs qui ne " -"possèdent pas d'accès au réseau externe (c.-à-d. accès à Internet), grâce à un" -"e protection par mot de passe, et en codant les fichiers. Les données sensible" -"s ne doivent jamais être partagées par courriel ou au moyen de services de sto" -"ckage en nuage comme Dropbox.

                                                                              " msgid "" -"

                                                                              Obtaining the appropriate consent from research participants is an importan" -"t step in assuring Research Ethics Boards that the data may be shared with res" -"earchers outside your project. The consent statement may identify certain cond" -"itions clarifying the uses of the data by other researchers. For example, it m" -"ay stipulate that the data will only be shared for non-profit research purpose" -"s or that the data will not be linked with personally identified data from oth" -"er sources.

                                                                              -\n" -"

                                                                              Read more about data security: UK Data Service

                                                                              " -======= +"Describe all types of data you will collect th" +"roughout the research process, with special attention paid to participant-driv" +"en data (e.g., written transcripts, video files, audio recordings, journals, a" +"rt, photographs, etc.)." msgstr "" -"

                                                                              Votre plan de gestion des données a identifié les activités importantes rel" -"atives à la gestion des données dans le cadre de votre projet. Indiquez les re" -"sponsables -- des personnes ou des organisations -- de l'exécution de ces par" -"ties de votre plan de gestion des données. Cela pourrait également comprendre " -"le calendrier associé à ces responsabilités et toute formation nécessaire afin" -" de préparer le personnel à assumer ces fonctions.

                                                                              " +"Décrivez tous les types de donné" +"es que vous collecterez tout au long du processus de recherche, en accordant u" +"ne attention particulière aux données fournies par les participa" +"nts (par exemple, transcriptions écrites, fichiers vidéo, enregi" +"strements audio, journaux, art, photographies, etc.)." msgid "" -"

                                                                              Indicate a succession strategy for these data in the event that one or more" -" people responsible for the data leaves (e.g. a graduate student leaving after" -" graduation). Describe the process to be followed in the event that the Princi" -"pal Investigator leaves the project. In some instances, a co-investigator or t" -"he department or division overseeing this research will assume responsibility." -"

                                                                              " +"If you will be combining original research dat" +"a with existing, or previously used research data, describe those data here. P" +"rovide the name, location, URL, and date of the dataset(s) used. Describe any " +"end-user license assigned to the data, or terms of use you must abide by." msgstr "" -"

                                                                              Indiquez une stratégie de planification de la relève pour ces données dans " -"l'éventualité où une ou plusieurs personnes responsables des données quittent " -"le projet (p. ex. un étudiant aux cycles supérieurs qui quitte après l'obtenti" -"on de son diplôme). Décrivez le processus à suivre dans l'éventualité où le ch" -"ercheur principal quitte le projet. Dans certains cas, un cochercheur, le dépa" -"rtement ou la division qui supervise cette recherche en assumera la responsabi" -"lité.

                                                                              " +"Si vous comptez combiner des données de" +" recherche originales avec des données de recherche existantes ou d&eac" +"ute;jà utilisées, décrivez-les ici. Indiquez le nom, le l" +"ieu, l’URL et la date du ou des ensembles de données utilis&eacut" +"e;s. Décrivez toute licence d’utilisateur final attribuée " +"aux données, ou les conditions d’utilisation que vous devez respe" +"cter." msgid "" -"

                                                                              This estimate should incorporate data management costs incurred during the " -"project as well as those required for the longer-term support for the data aft" -"er the project is finished. Items to consider in the latter category of expens" -"es include the costs of curating and providing long-term access to the data. S" -"ome funding agencies state explicitly the support that they will provide to me" -"et the cost of preparing data for deposit. This might include technical aspect" -"s of data management, training requirements, file storage & backup, and contri" -"butions of non-project staff.

                                                                              " +"Provide a description of any data collection i" +"nstruments or scales that will be used to collect data. These may include but " +"are not limited to questionnaires, interview guides, or focus group procedures" +". If using a pre-existing instrument or scale, provide the citation(s) in this" +" section." msgstr "" -"

                                                                              Cette évaluation doit comprendre les coûts de gestion des données encourus " -"au cours du projet ainsi que les coûts requis pour le soutien à plus long term" -"e des données après la fin du projet. Les points à considérer dans la dernière" -" catégorie de dépenses comprennent les coûts d'entretien et de prestation d'u" -"n accès à long terme aux données. Certains organismes de financement indiquent" -" de façon explicite le soutien qu'ils fourniront afin de respecter les coûts r" -"elatifs à la préparation des données à déposer. Cela peut comprendre les aspec" -"ts techniques de la gestion de données, les exigences en matière de formation," -" le stockage et la sauvegarde des fichiers et le travail du personnel ne faisa" -"nt pas partie du projet.

                                                                              " +"Décrivez tous les instruments ou &eacut" +"e;chelles de collecte de données qui seront utilisés pour collec" +"ter les données. Il peut s’agir, entre autres, de questionnaires," +" de guides d’entretien ou de procédures de groupes de discussion." +" Si vous utilisez un instrument ou une échelle préexistante, fou" +"rnissez les citations dans cette section." msgid "" -"

                                                                              Consider where, how, and to whom sensitive data with acknowledged long-term" -" value should be made available, and how long it should be archived. These dec" -"isions should align with Research Ethics Board requirements. The methods used " -"to share data will be dependent on a number of factors such as the type, size," -" complexity and degree of sensitivity of data. Outline problems anticipated in" -" sharing data, along with causes and possible measures to mitigate these. Prob" -"lems may include confidentiality, lack of consent agreements, or concerns abou" -"t Intellectual Property Rights, among others. In some instances, an embargo pe" -"riod may be justified; these may be defined by a funding agency's policy on re" -"search data.

                                                                              Reused from: DCC. (2013). Checklist for a Data Management" -" Plan. v.4.0. Edinburgh: Digital Curation Centre

                                                                              Restrictions can be" -" imposed by limiting physical access to storage devices, by placing data on co" -"mputers that do not have external network access (i.e. access to the Internet)" -", through password protection, and by encrypting files. Sensitive data should" -" never be shared via email or cloud storage services such as Dropbox.

                                                                              " +"Describe the frequency in which you will be co" +"llecting data from participants. If you are performing narrative inquiry or lo" +"ngitudinal data collection for example, how often will you gather data from th" +"e same participants?" msgstr "" -"

                                                                              Examinez où et comment les données sensibles ayant une valeur à long terme " -"reconnue doivent être rendues disponibles et à qui, de même que pendant combie" -"n de temps elles doivent être archivées. Ces décisions doivent respecter les " -"exigences du comité d'éthique de la recherche. Les méthodes utilisées pour par" -"tager les données dépendront d'un certain nombre de facteurs comme le type, la" -" taille, la complexité et le degré de sensibilité des données. Décrivez les pr" -"oblèmes prévus dans le partage des données, ainsi que les causes et les mesure" -"s possibles pour les atténuer. Les problèmes peuvent comprendre, entre autres," -" la confidentialité, l'absence de consentement ou les préoccupations au sujet " -"des droits de propriété intellectuelle. Dans certains cas, une période d'embar" -"go peut être justifiée; ces cas peuvent être définis dans la politique sur les" -" données de recherche d'un organisme de financement.

                                                                              Réutilisé de : DCC." -" (2013). Checklist for a Data Management Plan (Liste de vérification pour un " -"plan de gestion des données). v.4.0. Edinburgh: Digital Curation Centre

                                                                              Des restrictions peuvent être imposées en limitant l'accès physique aux di" -"spositifs de stockage, en enregistrant les données sur des ordinateurs qui ne " -"possèdent pas d'accès au réseau externe (c.-à-d. accès à Internet), grâce à un" -"e protection par mot de passe, et en codant les fichiers. Les données sensible" -"s ne doivent jamais être partagées par courriel ou au moyen de services de sto" -"ckage en nuage comme Dropbox.

                                                                              " +"Décrivez la fréquence à l" +"aquelle vous collecterez des données auprès des participants. Si" +" vous effectuez une enquête narrative ou une collecte de données " +"longitudinales par exemple, à quelle fréquence allez-vous collec" +"ter des données auprès des mêmes participants ?" msgid "" -"

                                                                              Obtaining the appropriate consent from research participants is an importan" -"t step in assuring Research Ethics Boards that the data may be shared with res" -"earchers outside your project. The consent statement may identify certain cond" -"itions clarifying the uses of the data by other researchers. For example, it m" -"ay stipulate that the data will only be shared for non-profit research purpose" -"s or that the data will not be linked with personally identified data from oth" -"er sources.

                                                                              -\n" -"

                                                                              Read more about data security: UK Data Service

                                                                              " +"Provide an estimate of when you will begin and" +" conclude the data collection process. List this information in the following " +"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" +"/MM - YYYY/MM instead." msgstr "" -"

                                                                              L'obtention du consentement approprié des participants de recherche constit" -"ue une étape importante pour assurer au comité d'éthique de la recherche que l" -"es données de recherche peuvent être partagées avec des chercheurs ne faisant " -"pas partie de votre projet. La déclaration de consentement peut indiquer certa" -"ines conditions précisant l'utilisation des données par d'autres chercheurs. P" -"ar exemple, elle peut stipuler que les données seront uniquement partagées à d" -"es fins de recherche sans but lucratif ou que les données ne seront pas croisé" -"es avec des données personnelles provenant d'autres sources.

                                                                              Pour en sa" -"voir plus sur la sécurité des données, consultez le site suivant : UK Dat" -"a Archive

                                                                              .

                                                                              " - -msgid "" -"

                                                                              Compliance with privacy legislation and laws that may impose content restri" -"ctions in the data should be discussed with your institution's privacy officer" -" or research services office. Research Ethics Boards are central to the resear" -"ch process.

                                                                              Include here a description concerning ownership, licensing, " -"and intellectual property rights of the data. Terms of reuse must be clearly s" -"tated, in line with the relevant legal and ethical requirements where applicab" -"le (e.g., subject consent, permissions, restrictions, etc.).

                                                                              " -msgstr "" -"

                                                                              Le respect des règlements et des lois sur la protection de la vie privée qu" -"i peuvent imposer des restrictions de contenu dans les données devrait être di" -"scuté avec le bureau de la recherche ou le responsable de la protection de la " -"vie privée de votre établissement. Le comité d'éthique de la recherche est aus" -"si essentiel dans ce processus.

                                                                              Décrivez ici ce qui en est de la proprié" -"té des données, de l'octroi de licences et de la propriété intellectuelle. Les" -" conditions énoncées pour la réutilisation des données doivent être clairement" -" mentionnés et respecter les exigences juridiques et éthiques pertinentes, le " -"cas échéant (p. ex. consentement du sujet, permissions, restrictions, etc.)." +"Donnez une estimation de la date à laqu" +"elle vous commencerez et terminerez le processus de collecte des donnée" +"s. Fournissez ces renseignements dans le format suivant : AAAA/MM/JJ &mda" +"sh; AAAA/MM/JJ. Si vous ne connaissez pas les dates exactes, utilisez plut&oci" +"rc;t le format AAAA/MM — AAAA/MM." msgid "" -"

                                                                              The University of Guelph Library's Data Resource Centre provides d" -"ata collection and creation support including support for the design and creat" -"ion of web surveys and access to data resources including numeric and geospati" -"al databases.

                                                                              -\n" -"

                                                                              The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" -"oved academic staff and students can securely access detailed microdata and ad" -"ministrative datasets from Statistics Canada.

                                                                              -\n" -"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"Provide a description of the environment and g" +"eographic location of where data will be gathered, within the context of the s" +"tudy (e.g., hospital setting, long-term care setting, community). Include nati" +"onal, provincial, or municipal locations if applicable." msgstr "" -"

                                                                              L'obtention du consentement approprié des participants de recherche constit" -"ue une étape importante pour assurer au comité d'éthique de la recherche que l" -"es données de recherche peuvent être partagées avec des chercheurs ne faisant " -"pas partie de votre projet. La déclaration de consentement peut indiquer certa" -"ines conditions précisant l'utilisation des données par d'autres chercheurs. P" -"ar exemple, elle peut stipuler que les données seront uniquement partagées à d" -"es fins de recherche sans but lucratif ou que les données ne seront pas croisé" -"es avec des données personnelles provenant d'autres sources.

                                                                              Pour en sa" -"voir plus sur la sécurité des données, consultez le site suivant : UK Dat" -"a Archive

                                                                              .

                                                                              " +"Décrivez de l’environnement et de" +" l’emplacement géographique dans lequel les données seront" +" recueillies dans le contexte de l’étude (par exemple, milieu hos" +"pitalier, établissement de soins de longue durée, communaut&eacu" +"te;). Précisez les emplacements nationaux, provinciaux ou municipaux, l" +"e cas échéant." msgid "" -<<<<<<< HEAD -"

                                                                              Compliance with privacy legislation and laws that may impose content restri" -"ctions in the data should be discussed with your institution's privacy officer" -" or research services office. Research Ethics Boards are central to the resear" -"ch process.

                                                                              Include here a description concerning ownership, licensing, " -"and intellectual property rights of the data. Terms of reuse must be clearly s" -"tated, in line with the relevant legal and ethical requirements where applicab" -"le (e.g., subject consent, permissions, restrictions, etc.).

                                                                              " -======= -"

                                                                              The University of Guelph Library provides training and support related to <" -"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" -"-management/training-support\" target=\"_blank\">Research Data Management. Pl" -"ease contact us at l" -"ib.research@uoguelph.ca for more information.

                                                                              " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"

                                                                              Summarize the steps that are involved in th" +"e data collection process for your study. This section should include informat" +"ion about screening and recruitment, the informed consent process, information" +" disseminated to participants before data collection, and the methods by which" +" data is gathered. 

                                                                              \n" +"
                                                                              \n" +"

                                                                              In this section, consider including documen" +"tation such as your study protocol, interview guide, questionnaire, etc.

                                                                              " msgstr "" -"

                                                                              Le respect des règlements et des lois sur la protection de la vie privée qu" -"i peuvent imposer des restrictions de contenu dans les données devrait être di" -"scuté avec le bureau de la recherche ou le responsable de la protection de la " -"vie privée de votre établissement. Le comité d'éthique de la recherche est aus" -"si essentiel dans ce processus.

                                                                              Décrivez ici ce qui en est de la proprié" -"té des données, de l'octroi de licences et de la propriété intellectuelle. Les" -" conditions énoncées pour la réutilisation des données doivent être clairement" -" mentionnés et respecter les exigences juridiques et éthiques pertinentes, le " -"cas échéant (p. ex. consentement du sujet, permissions, restrictions, etc.)." +"

                                                                              Résumez les étapes du process" +"us de collecte des données pour votre étude. Cette section doit " +"comprendre des renseignements sur la sélection et le recrutement, le pr" +"ocessus de consentement éclairé, l’information diffus&eacu" +"te;e aux participants avant la collecte des données et les métho" +"des de collecte des données. 

                                                                              \n" +"

                                                                              Dans cette section, songez à inclure" +" des documents tels que votre protocole d’étude, le guide d&rsquo" +";entretien, le questionnaire, etc.

                                                                              " msgid "" -<<<<<<< HEAD -"

                                                                              The University of Guelph Library's Data Resource Centre provides d" -"ata collection and creation support including support for the design and creat" -"ion of web surveys and access to data resources including numeric and geospati" -"al databases.

                                                                              -\n" -"

                                                                              The Library also hosts the University of Guelph Branch Research Data Centre (BRDC) where appr" -"oved academic staff and students can securely access detailed microdata and ad" -"ministrative datasets from Statistics Canada.

                                                                              -\n" -"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " +"Include a description of any software that wil" +"l be used to gather data. Examples may include but are not limited to word pro" +"cessing programs, survey software, and audio/video recording tools. Provide th" +"e version of each software program used if applicable." msgstr "" +"Décrivez les logiciels qui serviront &a" +"grave; recueillir des données. Il peut s’agir, par exemple, de pr" +"ogrammes de traitement de texte, de logiciels d’enquête et d&rsquo" +";outils d’enregistrement audio/vidéo. Indiquez la version de chaq" +"ue logiciel utilisé, le cas échéant." msgid "" -"

                                                                              The University of Guelph Library provides training and support related to <" -"a href=\"https://www.lib.uoguelph.ca/get-assistance/maps-gis-data/research-data" -"-management/training-support\" target=\"_blank\">Research Data Management. Pl" -"ease contact us at l" -"ib.research@uoguelph.ca for more information.

                                                                              " +"List the file formats associated with each sof" +"tware program that will be generated during the data collection phase (e.g., ." +"txt, .csv, .mp4, .wav)." msgstr "" +"Indiquez les formats de fichiers associé" +";s à chaque logiciel qui seront générés pendant la" +" phase de collecte des données (par exemple, .txt, .csv, .mp4, .wav, et" +"c.)." msgid "" -"

                                                                              Please see Organising Information for more information regarding developing a s" -"trategy for how you will manage your project files throughout the research pro" -"cess including directory structure, file naming conventions and versioning. -\n" -======= -"

                                                                              Please see Organising Information for more information regarding developing a s" -"trategy for how you will manage your project files throughout the research pro" -"cess including directory structure, file naming conventions and versioning. -\n" -"

                                                                              Please contact us at lib.research@uoguelph.ca for additional support.

                                                                              " +"Provide a description of how you will track ch" +"anges made to any data analysis files. Examples might include any audit trail " +"steps, or versioning systems that you follow during the data analysis process." +"" msgstr "" +"Décrivez comment vous allez suivre les " +"modifications apportées aux fichiers d’analyse des données" +". Il peut s’agir, par exemple, d’étapes de la piste de v&ea" +"cute;rification ou de systèmes de gestion des versions que vous utilise" +"z pendant le processus d’analyse des données." msgid "" -"

                                                                              The University of Guelph Library has created a Data Management Planning Checklist wh" -"ich can be used to identify and keep track of the data management practices th" -"at you will utilize throughout the data life-cycle, including what information" -" and tools will be used to document your work.

                                                                              -\n" -"

                                                                              For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

                                                                              " +"Include any software programs you plan to use " +"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" +"tc.). Include the version if applicable." msgstr "" +"Indiquez tous les logiciels que vous utilisere" +"z pour effectuer ou compléter l’analyse des données (par e" +"xemple, NVivo, Atlas.ti, SPSS, SAS, R, etc.). Précisez les versions, le" +" cas échéant." msgid "" -"

                                                                              Review Documenting Your Work for more information regarding creating and trackin" -"g metadata throughout the research process.

                                                                              -\n" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                              Please contact us at lib.research@uoguelph.ca for additional support.

                                                                              " +"List the file formats associated with each ana" +"lysis software program that will be generated in your study (e.g., .txt, .csv," +" .xsls, .docx). " msgstr "" +"Indiquez les formats de fichiers associé" +";s à chaque logiciel d’analyse qui seront génér&eac" +"ute;s dans votre étude (par exemple, .txt, .csv, .xsls, .docx, etc.). <" +"/span>" msgid "" -<<<<<<< HEAD -"

                                                                              The University of Guelph Library has created a Data Management Planning Checklist wh" -"ich can be used to identify and keep track of the data management practices th" -"at you will utilize throughout the data life-cycle, including what information" -" and tools will be used to document your work.

                                                                              -\n" -"

                                                                              For more information see Documenting Your Work or contact us at lib.research@uoguelph.ca.

                                                                              " +"Include the coding scheme used to analyze your" +" data -- consider providing a copy of your codebook. If other methods of analy" +"sis were performed, describe them here. " msgstr "" +"Précisez le système de codage ut" +"ilisé pour analyser vos données — pensez à fournir " +"une copie de votre guide de codification. Si d’autres méthodes d&" +"rsquo;analyse ont été utilisées, décrivez-les ici." +" " msgid "" -"

                                                                              Review Documenting Your Work for more information regarding creating and trackin" -"g metadata throughout the research process.

                                                                              -\n" -"

                                                                              Please contact us at lib.research@uoguelph.ca for additional support.

                                                                              " +"Outline the steps that will be taken to ensure" +" the quality and transparency during the data analysis process. In this sectio" +"n, describe procedures for cleaning data, contacting participants to clarify r" +"esponses, and correcting data when errors are identified. Consider the princip" +"les of credibility, dependability, confirmability, and transferability as desc" +"ribed in Lincoln and Guba, 1985 when completing this section.
                                                                              " msgstr "" +"Décrivez les mesures qui seront prises " +"pour garantir la qualité et la transparence du processus d’analys" +"e des données. Dans cette section, décrivez les procédure" +"s de nettoyage des données, de communication avec les participants pour" +" clarifier les réponses et de correction des données lorsque des" +" erreurs sont trouvées. Tenez compte des principes de crédibilit" +"é, de fiabilité, de corroboration et de transférabilit&ea" +"cute; tels que décrits dans Lincoln et" +" Guba, 1985 (lien en anglais) lorsque vous complétez cette section." msgid "" -"

                                                                              Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" -"ms for more about information about categorising and documenting your data" -" or contact us at li" -"b.research@uoguelph.ca.

                                                                              " +"Consider what information might be useful to a" +"ccompany your data if you were to share it with someone else (e.g., the study " +"protocol, interview guide, codebook, information about software used, question" +"naires, user guide for the data, etc.)." msgstr "" +"Réfléchissez aux renseignements " +"qui pourraient être utiles pour accompagner vos données si vous d" +"eviez les partager avec quelqu’un d’autre (par exemple, le protoco" +"le de l’étude, le guide des entretiens, le guide de codification," +" les renseignements sur les logiciels utilisés, les questionnaires, le " +"guide d’utilisation des données, etc.)." msgid "" -"

                                                                              On campus, Computing" -" and Communications Services (CCS) provides support for short-term storage" -" and backup.

                                                                              -\n" -"

                                                                              Please see " -"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

                                                                              " +"Metadata standards can provide guidance on how" +" best to document your data. If you do not know of any existing standards in y" +"our field, visit this website to search for available standards: https://fairshari" +"ng.org/." msgstr "" +"Les normes relatives aux métadonn&eacut" +"e;es peuvent fournir des conseils sur la meilleure façon de documenter " +"vos données. Si vous ne connaissez aucune norme existante dans votre do" +"maine, visitez ce site web pour rechercher les normes disponibles : https://f" +"airsharing.org/ (lien en anglais)." msgid "" -"

                                                                              On campus, Computing" -" and Communications Services (CCS) provides support for file security and " -"encryption.

                                                                              -\n" -"

                                                                              Information S" -"ecurity services provided through the Office of the CIO, offers encryption" -" and file security training.

                                                                              -\n" -"

                                                                              Please see " -"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

                                                                              " -msgstr "" - -msgid "" -"

                                                                              The University of Guelph Library provides support for researchers in determ" -"ining the appropriate method and location for the preservation of data.

                                                                              -\n" -"

                                                                              We also maintain two research data respositories, the Agri-environmental" -" Research Data Respository and the University of Guelph Research Data Re" -"pository, where University of Guelph researchers can deposit their data th" -"rough a facilitated process.

                                                                              -\n" -"

                                                                              Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" -"tion.

                                                                              " +"Describe the participants whose lived experien" +"ces/phenomena are being studied in this project." msgstr "" +"Décrivez les participants dont les exp&" +"eacute;riences vécues ou les phénomènes vécus font" +" l’objet de votre étude." msgid "" -"

                                                                              Please see Pres" -"ervation and " -"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

                                                                              " +"Provide a brief description of the sampling pr" +"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" +"." msgstr "" +"Décrivez sommairement le processus d&rs" +"quo;échantillonnage entrepris dans le cadre de l’étude (pa" +"r exemple, échantillonnage dirigé, échantillonnage th&eac" +"ute;orique)." msgid "" -"

                                                                              Please see Sha" -"ring & Reuse - Conditions for Sharing for more information on licensin" -"g options or contact us at lib.research@uoguelph.ca

                                                                              " +"Outline any weighting or representative sampli" +"ng that is being applied in this study." msgstr "" +"Indiquez les pondérations ou les &eacut" +"e;chantillonnages représentatifs que vous utilisez dans votre ét" +"ude." msgid "" -"

                                                                              The University of Guelph Library offers Resea" -"rch Data Management services that support researchers with the organizatio" -"n, management, dissemination, and preservation of their research data.

                                                                              -\n" -"

                                                                              Data deposited in the University of Guelph Research Data Repositories is as" -"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" -") to your data. The DOI can be used to cite, improve discovery, track usage an" -"d measure the impact of your data.

                                                                              -\n" -"

                                                                              Sharing data through a repository can also improve its discovery and dissem" -"ination since repository content is fully indexed and searchable in search eng" -"ines such as Google.

                                                                              -\n" -"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " +"Provide a glossary of any acronyms or abbrevia" +"tions used within your study." msgstr "" +"Fournissez un glossaire de tous les acronymes " +"ou abréviations que vous utilisez dans votre étude." msgid "" -"

                                                                              The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" -"mans (Chapter 5) - D. Consen" -"t and Secondary Use of Identifiable Information for Research Purposes prov" -"ides detailed guidance related to secondary use of research data.

                                                                              -\n" -"

                                                                              Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" -"ng your data for secondary use including obtaining consent, conditions for sha" -"ring and anonymising data.

                                                                              " +"Provide an estimate of how much data you will " +"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" +"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" +"r interview transcripts)." msgstr "" +"Fournissez une estimation de la quantité" +"; de données que vous allez collecter sous forme de téraoctets, " +"gigaoctets ou mégaoctets selon les besoins. Donnez une estimation pour " +"chaque type de données si possible (par exemple, 2 Go pour les fic" +"hiers vidéo, 500 Mo pour les transcriptions d’entretiens)." msgid "" -"

                                                                              Researchers should consult the Tri-Council Po" -"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" -"nformation on ethical obligations.

                                                                              -\n" -"

                                                                              The University of Guelph's Office of Research offers guidance related to&nb" -"sp;Ethics and Regulatory Compliance as well a" -"s Intellectual Property Policy.  -\n" -"

                                                                              The Office of Research also provides resources, training and detailed guida" -"nce related to research involving human participants through the Resear" -"ch Ethics/Protection of Human Participants webpage.

                                                                              -\n" -"

                                                                              Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

                                                                              -\n" -"

                                                                               

                                                                              -\n" -"

                                                                               

                                                                              " +"Describe where your data will be stored while " +"data is being gathered from participants (e.g., in a secure, password protecte" +"d computer file, hard copies stored in locked filing cabinets, or institutiona" +"l computer storage)." msgstr "" +"Décrivez l’endroit où vos " +"données seront stockées pendant la collecte de données au" +"près des participants (par exemple, dans un fichier informatique s&eacu" +"te;curisé et protégé par un mot de passe, des copies papi" +"er stockées dans des classeurs verrouillés ou un serveur informa" +"tique institutionnel)." msgid "" -"

                                                                              Les Services informatiques ont une offr" -"e de services en soutien à la recherche. Ils peuvent vous aider à" -"; déterminer vos besoins de stockage et à mettre en place l&rsqu" -"o;infrastructure nécessaire à votre projet de recherche.

                                                                              " +"If different from the above, describe where yo" +"ur data will be stored while performing data analysis." msgstr "" +"S’il diffère de celui indiqu&eacu" +"te; ci-dessus, indiquez l’endroit où les données sont stoc" +"kées pendant le processus d’analyse des données." msgid "" -"

                                                                              Les Services informatiques peuvent vous" -" assister dans l'élaboration de votre stratégie de sauvegarde." +"Describe how your study data will be regularly" +" saved and updated. If using institutional servers, consult with your Informat" +"ion Technology department if you are unsure how frequently data is backed up.<" +"/span>" msgstr "" +"Décrivez comment les données de " +"votre étude seront régulièrement sauvegardées et m" +"ises à jour. Si vous utilisez des serveurs institutionnels, consultez v" +"otre service informatique pour connaître la fréquence de sauvegar" +"de des données." msgid "" -"

                                                                              Les Services informatiques offrent une solution locale de stockage et de pa" -"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" -"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" -"get=\"_blank\">Service OwnCloud.

                                                                              -\n" -"

                                                                              Les Services informatiques peuvent de p" -"lus vous aider à mettre au point les stratégies de collaboration" -" et de sécurité entre vos différents espaces de travail.<" -"/p>" +"Outline the procedures that will safeguard sen" +"sitive data collected during your study. This may include storing identifying " +"data (consent forms) separately from anonymized data (audio files or transcrip" +"ts), keeping files password protected and secure, and only providing access to" +" investigators analyzing the data." msgstr "" +"Décrivez les procédures qui perm" +"ettront de protéger les données sensibles recueillies au cours d" +"e votre étude. Cela peut inclure le stockage des données identif" +"icatoires (formulaires de consentement) séparément des donn&eacu" +"te;es anonymes (fichiers audio ou transcriptions), la protection et la s&eacut" +"e;curisation des fichiers par un mot de passe, et l’accès r&eacut" +"e;servé aux chercheurs qui analysent les données." msgid "" -"

                                                                              Un professionnel de l’équipe de soutien à la gestion de" -"s données de recherche peut vous aider à identifier des dé" -";pôts pertinents pour vos données: gdr@uqam.ca.

                                                                              " +"Provide examples of a consistent file naming c" +"onvention that will be used for this study. Examples of file names might inclu" +"de the type of file, participant number, date of interaction, and/or study pha" +"se. Follow t" +"his guide for more information on f" +"ile naming." msgstr "" +"Donnez des exemples de convention de nomenclat" +"ure de fichier uniforme qui seront utilisés pour cette étude. Le" +"s exemples de noms de fichiers peuvent inclure le type de fichier, le num&eacu" +"te;ro de participant, la date d’interaction ou la phase de l’&eacu" +"te;tude. Consultez ce guide
                                                                              pour plus d’information sur la dénomination des fichiers." msgid "" -"

                                                                              La Politique de la recherche et de la cr&eacu" -"te;ation (Politique no 10) de l’UQAM souligne que « le par" -"tage des résultats de la recherche et de la création avec la soc" -"iété est une nécessité dans le cadre d’une p" -"olitique de la recherche publique » et que « l’UQAM" -" encourage tous les acteurs de la recherche et de la création et en par" -"ticulier les professeures et les professeurs à diffuser et transf&eacut" -"e;rer les résultats de leurs travaux au sein de la société" -"; ».

                                                                              -\n" -"

                                                                              La Déclaration de principes des trois organis" -"mes sur la gestion des données numériques n’indique pa" -"s quelles données doivent être partagées. Elle a pour obje" -"ctif « de promouvoir l’excellence dans les pratiques de gestio" -"n et d’intendance des données numériques de travaux de rec" -"herche financés par les organismes ». Il y est décrit" -" de quelle façon la  préservation, la conservation et le pa" -"rtage des données devraient être envisagés. À lire!" -"

                                                                              -\n" -"

                                                                              Suggestion: Voyez comment protéger vos données sensibles (der" -"nière section du plan: « Conformité aux lois et &agra" -"ve; l’éthique ») et partagez tout ce qui peut l'ê" -";tre, après une analyse coût-bénéfice.

                                                                              " +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, external data repository" +", in secure, institutional computer" +" storage, or external hard drive)." msgstr "" +"Décrivez où vos données s" +"eront stockées après l’achèvement du projet (par ex" +"emple, dans un dépôt institutionnel, un dépôt de donn&ea" +"cute;es externe (lien en anglais), sur un serveur de stockage inf" +"ormatique institutionnel sécurisé ou sur un disque dur externe)." +"" msgid "" -"

                                                                              Les Services informatiques peuvent vous" -" aider à déterminer les coûts de l'infrastructure né" -";cessaire à votre projet de recherche.

                                                                              " +"Name the person(s) responsible for managing th" +"e data at the completion of the project. List their affiliation(s) and contact" +" information." msgstr "" +"Indiquez les personnes responsables de la gest" +"ion des données à l’issue du projet. Indiquez leur affilia" +"tion et leurs coordonnées." msgid "" -"

                                                                              Les Services informatiques ont produit un « Guide de bonnes prati" -"ques pour la sécurité informatique des données de recherc" -"he ».

                                                                              " +"Many proprietary file formats such as those ge" +"nerated from Microsoft software or statistical analysis tools can make the dat" +"a difficult to access later on. Consider transforming any proprietary files in" +"to preservation-friendly formats<" +"/span> to ensure your data can be opened i" +"n any program. Describe the process for migrating any data formats here." msgstr "" +"De nombreux formats de fichiers proprié" +"taires, tels que ceux générés par les logiciels Microsoft" +" ou les outils d’analyse statistique, peuvent rendre les données " +"difficiles d’accès par la suite. Envisagez de transformer tout fi" +"chier propriétaire en formats c" +"onvenables à la préservation pour garantir que vos données puissent être ouvertes dans" +" n’importe quel programme. Décrivez le processus de migration de " +"vos formats de données ici." msgid "" -"

                                                                              L’équipe de soutien à la gestion des données de " -"recherche peut vous mettre en relation avec des professionnels qualifié" -"s pour vous aider avec les questions d’ordre éthique, juridique e" -"t de propriété intellectuelle: gdr@uqam.ca.

                                                                              " +"Provide details on how long you plan to keep y" +"our data after the project, and list any requirements you must follow based on" +" Research Ethics Board guidelines, data use agreements, or funder requirements" +". " msgstr "" +"Indiquez en détail la durée de c" +"onservation de vos données après le projet et indiquez les exige" +"nces que vous devez respecter en fonction des directives du comité d&rs" +"quo;éthique de la recherche, des accords d’utilisation des donn&e" +"acute;es ou des exigences du bailleur de fonds." msgid "" -"

                                                                              See more about best practices on file formats from the SFU Library.

                                                                              " -msgstr "" - -msgid "" -"

                                                                              DDI is a common metadata standard for the social sciences. SFU Radar uses D" -"DI Codebook to describe data so other researchers can find it by searching a d" -"iscovery portal like Da" -"taCite.

                                                                              -\n" -"

                                                                              Read more about metadata standards: UK Digital Curation Centre's Disciplinary" -" Metadata.

                                                                              " +"Describe what steps will be taken to destroy s" +"tudy data. These steps may include shredding physical documents, making data u" +"nretrievable with support from your Information Technology department, or othe" +"r personal measures to eliminate data files." msgstr "" +"Décrivez les mesures qui seront prises " +"pour détruire les données de l’étude. Ces mesures p" +"euvent inclure, notamment, le déchiquetage de documents physiques, la d" +"estruction des données avec l’aide de votre service informatique " +"ou des mesures personnelles pour éliminer les fichiers de donnée" +"s." msgid "" -"

                                                                              If paying for an external hosting service, you will need to keep paying for" -" it, or have some migration plan (e.g., depositing the data into a university " -"repository). SFU Vault or services like Sync may be an option f" -"or some projects.

                                                                              " +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how and when informed consent is colle" +"cted during the data collection process. Examples include steps to gain writte" +"n or verbal consent, re-establishing consent at subsequent interviews, etc. " msgstr "" +"Décrivez l’information fournie da" +"ns le protocole de votre comité d’éthique de la recherche," +" et décrivez comment et à quelles phases du processus de collect" +"e des données le consentement éclairé est recueilli. Il p" +"eut s’agir, par exemple, des étapes permettant d’obtenir un" +" consentement écrit ou verbal, du rétablissement du consentement" +" aux points de contact ultérieurs, etc.  " msgid "" -"
                                                                              Encrypting sensitive data is recommended. In almost case" -"s, full disk encryption is preferable; users apply a feature in the computer's oper" -"ating system to encrypt the entire disk. -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              -\n" -"
                                                                              In Windows, encryption of your internal disk or USB driv" -"es can be performed by a service called BitLocker. In Mac OSX, disk" -" encryption can be performed by a service called FileVault. Documen" -"tation of these features is available from Microsoft or Apple. Full disk encry" -"ption is also available in Linux. Note that encrypting a USB drive may li" -"mit its usability across devices.
                                                                              -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              Encrypted data is less likely to be " -"seen by an unauthorized person if the laptop/external drive is lost or st" -"olen. It's important to consider that merely \"deleti" -"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" -"ata from the computer, and even “secure deletion” tools are not co" -"mpletely effective on modern disks. Consider what security measures are necessary for han" -"dling sensitive data files and for decommissioning the computer disc " -";at the end of its use. -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              -\n" -"
                                                                              For more information about securing sensitive research d" -"ata, consult with SFU's IT Services.
                                                                              " +"Provide the name, institutional affiliation, a" +"nd contact information of the person(s) who hold intellectual property rights " +"to the data." msgstr "" +"Indiquez le nom, l’affiliation instituti" +"onnelle et les coordonnées des personnes qui détiennent les droi" +"ts de propriété intellectuelle sur les données." msgid "" -"

                                                                              Consider contacting SFU Library Data Services to develop the best solution for y" -"our research project.

                                                                              " +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations are included as participants, outline specific guidelines that " +"are being followed to protect them (e.g., OCAP, community advisory bo" +"ards, etc.)." msgstr "" +"Décrivez toute préoccupation &ea" +"cute;thique qui pourrait être associée aux données de cett" +"e étude. Par exemple, si des populations vulnérables ou indig&eg" +"rave;nes ont été étudiées, décrivez les lig" +"nes directrices spécifiques qui sont suivies pour protéger les p" +"articipants (par exemple, les principes de PCAP, les conseils consultatifs communautaire" +"s, etc.)." msgid "" -"

                                                                              If you need assistance locating a suitable data repository or archive, plea" -"se contact SFU Libr" -"ary Data Services. re3data.or" -"g is a directory of potential open data repositories.

                                                                              " +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by funder, " +"institutional, or community agreements, among others." msgstr "" +"Indiquez en détail les restrictions jur" +"idiques qui s’appliquent à vos données. Ces restrictions p" +"euvent inclure, notamment, des détails sur la manière dont vos d" +"onnées de recherche peuvent être utilisées selon les direc" +"tives d’un bailleur de fonds, une institution ou un accord communautaire" +", notamment." msgid "" -"

                                                                              Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" -"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" -" preservation-friendly files converted from one format to another may lose inf" -"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" -"ile), so changes to file formats should be documented, and you may want to ret" -"ain original formats, even if they are proprietary.

                                                                              " +"List all the steps that will be taken to remov" +"e the risk of disclosing personal information from study participants. Include" +" information about keeping data safe and secure, and whether certain informati" +"on will be removed from the data. If data is being anonymized or de-identified" +", specify the information type(s) being altered (e.g., names, addresses, dates" +", location)." msgstr "" +"Énumérez toutes les mesures qui " +"seront prises pour éliminer le risque de divulgation d’informatio" +"n personnelle des participants à l’étude. Précisez " +"les mesures pour la sécurité des données et indiquez si c" +"ertains renseignements seront supprimés des ensembles de données" +". Si les données sont anonymisées ou dépersonnalisé" +";es, précisez les types de renseignements qui seront modifiés (p" +"ar exemple, noms, adresses, dates, lieux)." msgid "" -"

                                                                              There are various creative commons licenses which can be applied to data. <" -"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" -"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" -" at SFU.

                                                                              " +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include, but not be li" +"mited to personnel, storage requirements, software, or hardware." msgstr "" +"Décrivez toutes les ressources financi&" +"egrave;res qui peuvent être nécessaires pour gérer correct" +"ement vos données de recherche. Celles-ci peuvent être lié" +"es au personnel, au stockage, aux logiciels, au matériel, etc." msgid "" -"

                                                                              If possible, choose a repository like the Canadian Federated Research Data " -"Repository, FRDR for short,  that will assign a persistent identifier (such" -" as a DOI) to your dataset. This will ensure a stable access to the dataset an" -"d make it retrievable by various discovery tools. DataCite Search is a discov" -"ery portal for research data. If you deposit in SFU Radar or a repository inde" -"xed in the Re" -"gistry of Research Data Repositories, your records will appear in the port" -"al's keyword search results.

                                                                              " +"Provide the name(s), affiliation(s), and conta" +"ct information for the main study contact." msgstr "" +"Indiquez les noms, l’affiliation et les " +"coordonnées des personnes-ressources à contacter pour l’&e" +"acute;tude" msgid "" -"

                                                                              If you need advice on identifying potential support, contact data-services@" -"sfu.ca

                                                                              " +"Provide the name(s), affiliation(s), contact i" +"nformation, and responsibilities of each study team member in relation to work" +"ing with the study data. If working with institutional Information Technology " +"members, statisticians, or other stakeholders outside your immediate team, pro" +"vide their information as well." msgstr "" +"Indiquez les noms, l’affiliation, les co" +"ordonnées et les responsabilités de chaque membre de l’&ea" +"cute;quipe d’étude qui travaille avec les données de l&rsq" +"uo;étude. Si vous travaillez avec des membres du service informatique d" +"’une institution, des statisticiens ou d’autres intervenants en de" +"hors de votre équipe immédiate, fournissez également leur" +" information." msgid "" -"

                                                                              Decisions relevant to data retention and storage should align with SFU's Of" -"fice of Research Ethics requirements.

                                                                              " +"Describe the process by which new collaborator" +"s/team members will be added to the project, if applicable. Include the type(s" +") of responsibilities that may require new team members to be added during, or" +" after the project is complete." msgstr "" +"Décrivez le processus par lequel de nou" +"veaux collaborateurs ou membres de l’équipe seront ajoutés" +" au projet, le cas échéant. Indiquez les types de responsabilit&" +"eacute;s qui peuvent nécessiter l’ajout de nouveaux membres d&rsq" +"uo;équipe pendant ou après le projet. " msgid "" -"

                                                                              SFU's Office of Research Ethics' consent statement shou" -"ld be consulted when working with human participants.

                                                                              -\n" -"

                                                                              The Interuniversity Consortium f" -"or Political and Social Research (ISPSR) and the Australian National Data Service<" -"/a> also provide examples of informed consent language for data sharing.

                                                                              " +"Describe the intended audience for your data. " +"" msgstr "" +"Décrivez le public auquel s’adres" +"sent vos données." msgid "" -"

                                                                              The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" -"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" -"e of personal information collected in research projects. This does not mean, " -"however, that sensitive information collected as part of your research does no" -"t need to be safeguarded. Please refer to University Ethics Review (R 20." -"01).

                                                                              -\n" -"

                                                                              IP issues should be clarified at the commencement of your research proj" -"ect so that all collaborators have a mutual understanding of ownership, to pre" -"vent potential conflict later.

                                                                              " -======= -"

                                                                              Please see Documenting Your Work - Using Standards, Taxonomies, Classification Syste" -"ms for more about information about categorising and documenting your data" -" or contact us at li" -"b.research@uoguelph.ca.

                                                                              " +"Describe what data can/will be shared at the e" +"nd of the study. " msgstr "" +"Décrivez les données qui peuvent" +" être ou seront partagées à la fin de l’étude" +". " msgid "" -"

                                                                              On campus, Computing" -" and Communications Services (CCS) provides support for short-term storage" -" and backup.

                                                                              -\n" -"

                                                                              Please see " -"Storage & Security for more information or contact us at lib.research@uoguelph.ca.

                                                                              " +"Restrictions on data may include, but are not " +"limited to, the sensitivity of the data, data being acquired under license, or" +" data being restricted under a data use agreement. Describe what restrictions " +"(if any) apply to your research data. " msgstr "" +"Les restrictions sur les données peuven" +"t inclure, notamment, la sensibilité des données, les donn&eacut" +"e;es acquises sous licence ou les données faisant l’objet de rest" +"rictions en vertu d’un accord d’utilisation des données. D&" +"eacute;crivez les restrictions (le cas échéant) qui s’appl" +"iquent à vos données de recherche." msgid "" -"

                                                                              On campus, Computing" -" and Communications Services (CCS) provides support for file security and " -"encryption.

                                                                              -\n" -"

                                                                              Information S" -"ecurity services provided through the Office of the CIO, offers encryption" -" and file security training.

                                                                              -\n" -"

                                                                              Please see " -"Storage & Security or contact us at lib.research@uoguelph.ca for more information.

                                                                              " +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," +" among others." msgstr "" +"Indiquez l’endroit où vous avez l" +"’intention de partager vos données. Il peut s’agir d’" +"un dépôt institutionnel, un dépôt de données exte" +"rne (lien en anglais)" +", par le biais d’une approbation de la communauté ou par l’" +"intermédiaire de votre comité d’éthique de la reche" +"rche." msgid "" -"

                                                                              The University of Guelph Library provides support for researchers in determ" -"ining the appropriate method and location for the preservation of data.

                                                                              -\n" -"

                                                                              We also maintain two research data respositories, the Agri-environmental" -" Research Data Respository and the University of Guelph Research Data Re" -"pository, where University of Guelph researchers can deposit their data th" -"rough a facilitated process.

                                                                              -\n" -"

                                                                              Please see Preserving Your Data or contact us at lib.research@uoguelph.ca for more informa" -"tion.

                                                                              " +"If your data is restricted, describe how a res" +"earcher could access that data for secondary analysis. Examples of these proce" +"dures may include completing a Research Ethics Board application, signing a da" +"ta use agreement, submitting a proposal to a community advisory board, among o" +"thers. Be as specific as possible in this section." msgstr "" +"Si vos données sont protég&eacut" +"e;es, décrivez comment un chercheur pourrait y accéder pour une " +"analyse secondaire. Il peut s’agir, par exemple, de remplir une demande " +"auprès d’un comité d’éthique de la recherche," +" de signer un accord d’utilisation des données, de soumettre une " +"proposition à un conseil consultatif communautaire, entre autres. Soyez" +" aussi précis que possible dans cette section." msgid "" -"

                                                                              Please see Pres" -"ervation and " -"Sharing & Reuse for more information or contact us at lib.research@uoguelph.ca

                                                                              " +"Select a license that best suits the parameter" +"s of how you would like to share your data, and how you would prefer to be cre" +"dited. See this resource to help you decide: https://creativecommons.or" +"g/choose/." msgstr "" +"Choisissez une licence qui correspond le mieux" +" à la manière dont vous souhaitez partager vos données et" +" dont vous préférez être crédité. Consultez " +"cette ressource pour vous aider à prendre une décision : https://creativecom" +"mons.org/choose/?lang=fr." msgid "" -"

                                                                              Please see Sha" -"ring & Reuse - Conditions for Sharing for more information on licensin" -"g options or contact us at lib.research@uoguelph.ca

                                                                              " +"Describe the software/technology being develop" +"ed for this study, including its intended purpose." msgstr "" +"Décrivez le logiciel ou la technologie " +"développé(e) pour cette étude, y compris son objectif." msgid "" -"

                                                                              The University of Guelph Library offers Resea" -"rch Data Management services that support researchers with the organizatio" -"n, management, dissemination, and preservation of their research data.

                                                                              -\n" -"

                                                                              Data deposited in the University of Guelph Research Data Repositories is as" -"signed a Digital Object Identifier (DOI) which provides a persistent URL (link" -") to your data. The DOI can be used to cite, improve discovery, track usage an" -"d measure the impact of your data.

                                                                              -\n" -"

                                                                              Sharing data through a repository can also improve its discovery and dissem" -"ination since repository content is fully indexed and searchable in search eng" -"ines such as Google.

                                                                              -\n" -"

                                                                              For more information, contact us at lib.research@uoguelph.ca.

                                                                              " +"Describe the underlying approach you will take" +" to the development and testing of the software/technology. Examples may inclu" +"de existing frameworks like the systems development life cycle
                                                                              , or user-centred design framework. If you intend to " +"develop your own approach, describe that approach here. " msgstr "" +"Décrivez l’approche sous-jacente " +"que vous adopterez pour le développement et les tests du logiciel ou de" +" la technologie. Il peut s’agir par exemple de cadres existants tels que" +" le cycle de vie de développement de " +"systèmes ou le cadre de conc" +"eption centrée sur l’utilisateur. Si vous avez l’intention " +"de développer votre propre approche, décrivez cette approche ici" +". " msgid "" -"

                                                                              The Tri-Council Policy Statement: Ethical Conduct for Research Involving Hu" -"mans (Chapter 5) - D. Consen" -"t and Secondary Use of Identifiable Information for Research Purposes prov" -"ides detailed guidance related to secondary use of research data.

                                                                              -\n" -"

                                                                              Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information on prepari" -"ng your data for secondary use including obtaining consent, conditions for sha" -"ring and anonymising data.

                                                                              " +"If you are using open source or existing softw" +"are/technology code to develop your own program, provide a citation of that so" +"ftware/technology if applicable. If a citation is unavailable, indicate the na" +"me of the software/technology, its purpose, and the software/technology licens" +"e. " msgstr "" +"Si vous utilisez un code source ouvert ou un l" +"ogiciel ou une technologie existant(e) pour développer votre propre pro" +"gramme, veuillez fournir une citation de ce logiciel ou cette technologie, le " +"cas échéant. Si aucune citation n’est disponible, indiquez" +" le nom du logiciel ou de la technologie, son objectif et la licence du logici" +"el ou de la technologie. " msgid "" -"

                                                                              Researchers should consult the Tri-Council Po" -"licy Statement: Ethical Conduct for Research Involvig Humans (TCPS2) for i" -"nformation on ethical obligations.

                                                                              -\n" -"

                                                                              The University of Guelph's Office of Research offers guidance related to&nb" -"sp;Ethics and Regulatory Compliance as well a" -"s Intellectual Property Policy.  -\n" -"

                                                                              The Office of Research also provides resources, training and detailed guida" -"nce related to research involving human participants through the Resear" -"ch Ethics/Protection of Human Participants webpage.

                                                                              -\n" -"

                                                                              Please see Sha" -"ring & Reuse or contact us at lib.research@uoguelph.ca for more information.

                                                                              -\n" -"

                                                                               

                                                                              -\n" -"

                                                                               

                                                                              " +"Describe the methodology that will be used to " +"run and test the software/technology during the study. This may include: beta " +"testing measures, planned release dates, and maintenance of the software/techn" +"ology." msgstr "" +"Décrivez la méthodologie qui ser" +"a utilisée pour exécuter et tester le logiciel ou la technologie" +" pendant l’étude. Cela peut comprendre : les mesures de test" +" bêta, les dates de lancement prévues et la maintenance du logici" +"el ou de la technologie." msgid "" -"

                                                                              Les Services informatiques ont une offr" -"e de services en soutien à la recherche. Ils peuvent vous aider à" -"; déterminer vos besoins de stockage et à mettre en place l&rsqu" -"o;infrastructure nécessaire à votre projet de recherche.

                                                                              " +"Describe the disability and accessibility guid" +"elines you will follow to ensure your software/technology is adaptable and usa" +"ble to persons with disabilities or accessibility issues. " msgstr "" +"Décrivez les directives en matiè" +"re de handicap et d’accessibilité que vous suivrez pour vous assu" +"rer que votre logiciel ou technologie est adaptable et utilisable par les pers" +"onnes handicapées ou pour des questions d’accessibilité." msgid "" -"

                                                                              Les Services informatiques peuvent vous" -" assister dans l'élaboration de votre stratégie de sauvegarde." +"Describe the requirements needed to support th" +"e software/technology used in the study. This may include: types of operating " +"systems, type of server required, infrastructure necessary to run the program " +"(e.g., SQL database), and the types of devices this software/technology can be" +" used with (e.g., web, mobile)." msgstr "" +"Décrivez les exigences nécessair" +"es pour soutenir le logiciel ou la technologie utilisés dans l’&e" +"acute;tude. Cela peut comprendre : les types de systèmes d’e" +"xploitation, le type de serveur requis, l’infrastructure nécessai" +"re pour exécuter le programme (par exemple, base de données SQL)" +", et les types d’appareils avec lesquels ce logiciel ou cette technologi" +"e peut être utilisé (par exemple, web, mobile)." msgid "" -"

                                                                              Les Services informatiques offrent une solution locale de stockage et de pa" -"rtage de fichiers, au sein de l'infrastructure de recherche de l’UQAM: <" -"a href=\"https://servicesinformatiques.uqam.ca/services/Service%20ownCloud\" tar" -"get=\"_blank\">Service OwnCloud.

                                                                              -\n" -"

                                                                              Les Services informatiques peuvent de p" -"lus vous aider à mettre au point les stratégies de collaboration" -" et de sécurité entre vos différents espaces de travail.<" -"/p>" +"Consider what information might be useful to a" +"ccompany your software/technology if you were to share it with someone else. E" +"xamples may include documented code, user testing procedures, etc. This guide " +"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." msgstr "" +"Réfléchissez à l’in" +"formation qui pourrait être utile pour accompagner votre logiciel ou tec" +"hnologie si vous deviez la partager avec quelqu’un d’autre. Il peu" +"t s’agir, par exemple, de code documenté, de procédures de" +" test utilisateur, etc. Ce guide propose des étapes simples pour am&eac" +"ute;liorer la transparence des logiciels ouverts (Prlic & Proctor, 2012; lien en anglais)." msgid "" -"

                                                                              Un professionnel de l’équipe de soutien à la gestion de" -"s données de recherche peut vous aider à identifier des dé" -";pôts pertinents pour vos données: gdr@uqam.ca.

                                                                              " +"Consider the software/technology development p" +"hase and indicate any instructions that will accompany the program. Examples m" +"ight include test-first development procedures, user acceptance testing measur" +"es, etc." msgstr "" +"Considérez la phase de développe" +"ment du logiciel ou de la technologie et indiquez les instructions qui accompa" +"gneront le programme. Il peut s’agir, par exemple, de procédures " +"de développement avec test préalable, de mesures de test d&rsquo" +";acceptation par l’utilisateur, etc." msgid "" -"

                                                                              La Politique de la recherche et de la cr&eacu" -"te;ation (Politique no 10) de l’UQAM souligne que « le par" -"tage des résultats de la recherche et de la création avec la soc" -"iété est une nécessité dans le cadre d’une p" -"olitique de la recherche publique » et que « l’UQAM" -" encourage tous les acteurs de la recherche et de la création et en par" -"ticulier les professeures et les professeurs à diffuser et transf&eacut" -"e;rer les résultats de leurs travaux au sein de la société" -"; ».

                                                                              -\n" -"

                                                                              La Déclaration de principes des trois organis" -"mes sur la gestion des données numériques n’indique pa" -"s quelles données doivent être partagées. Elle a pour obje" -"ctif « de promouvoir l’excellence dans les pratiques de gestio" -"n et d’intendance des données numériques de travaux de rec" -"herche financés par les organismes ». Il y est décrit" -" de quelle façon la  préservation, la conservation et le pa" -"rtage des données devraient être envisagés. À lire!" -"

                                                                              -\n" -"

                                                                              Suggestion: Voyez comment protéger vos données sensibles (der" -"nière section du plan: « Conformité aux lois et &agra" -"ve; l’éthique ») et partagez tout ce qui peut l'ê" -";tre, après une analyse coût-bénéfice.

                                                                              " +"Include information about any programs or step" +"s you will use to track the changes made to program source code. Examples migh" +"t include utilizing source control systems such as Git or Subversion to trac" +"k changes and manage library dependencies." msgstr "" +"Incluez de l’information sur tous les pr" +"ogrammes ou étapes que vous utiliserez pour suivre les modifications ap" +"portées au code source du programme. Par exemple, vous pouvez utiliser " +"des systèmes de contrôle des sources tels que Git ou Subversion (liens en anglais)
                                                                              pour suivr" +"e les changements et gérer les dépendances des bibliothèq" +"ues." msgid "" -"

                                                                              Les Services informatiques peuvent vous" -" aider à déterminer les coûts de l'infrastructure né" -";cessaire à votre projet de recherche.

                                                                              " +"Describe any plans to continue maintaining sof" +"tware/technology after project completion. Use this section to either describe" +" the ongoing support model, the intention to engage with industry, or plan to " +"apply for future funding." msgstr "" +"Décrivez tout plan visant à pour" +"suivre la maintenance des logiciels et des technologies après l’a" +"chèvement du projet. Utilisez cette section pour décrire le mod&" +"egrave;le de soutien continu, l’intention de s’engager avec l&rsqu" +"o;industrie ou le plan pour demander un financement futur." msgid "" -"

                                                                              Les Services informatiques ont produit un « Guide de bonnes prati" -"ques pour la sécurité informatique des données de recherc" -"he ».

                                                                              " +"Include information about how the software/tec" +"hnology will remain secure over time. Elaborate on any encryption measures or " +"monitoring that will take place while maintaining the software/technology. " msgstr "" +"Incluez de l’information sur la mani&egr" +"ave;re dont le logiciel ou la technologie restera sécurisé au fi" +"l du temps. Précisez les mesures de cryptage ou de surveillance qui ser" +"ont prises pendant la maintenance du logiciel ou de la technologie. " msgid "" -"

                                                                              L’équipe de soutien à la gestion des données de " -"recherche peut vous mettre en relation avec des professionnels qualifié" -"s pour vous aider avec les questions d’ordre éthique, juridique e" -"t de propriété intellectuelle: gdr@uqam.ca.

                                                                              " -msgstr "" - -msgid "" -"

                                                                              See more about best practices on file formats from the SFU Library.

                                                                              " +"List the copyright holder of the software/tech" +"nology. See the Copyri" +"ght Guide for Scientific Software f" +"or reference." msgstr "" +"Listez les détenteurs des droits d&rsqu" +"o;auteur sur le logiciel ou la technologie. Consultez le Guide sur le droit d’auteur pour les " +"logiciels scientifiques (lien en anglais; ou ce guide su" +"r les droits d’auteur). " msgid "" -"

                                                                              DDI is a common metadata standard for the social sciences. SFU Radar uses D" -"DI Codebook to describe data so other researchers can find it by searching a d" -"iscovery portal like Da" -"taCite.

                                                                              -\n" -"

                                                                              Read more about metadata standards: UK Digital Curation Centre's Disciplinary" -" Metadata.

                                                                              " +"Describe the license chosen for the software/t" +"echnology and its intended use. See list of license options here. " msgstr "" +"Décrivez la licence choisie pour le log" +"iciel ou la technologie et son utilisation prévue. Consultez la liste d" +"es options de licence ici
                                                                              (" +"lien en anglais). " msgid "" -"

                                                                              If paying for an external hosting service, you will need to keep paying for" -" it, or have some migration plan (e.g., depositing the data into a university " -"repository). SFU Vault or services like Sync may be an option f" -"or some projects.

                                                                              " +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the software/technology. If working with developers, computer scientists" +", or programmers outside your immediate team, provide their information as wel" +"l." msgstr "" +"Indiquez le nom, l’affiliation, les coor" +"données et les responsabilités de chaque membre de l’&eacu" +"te;quipe d’étude en relation avec le travail avec le logiciel ou " +"la technologie. Si vous travaillez avec des développeurs, des informati" +"ciens ou des programmeurs en dehors de votre équipe immédiate, f" +"ournissez également leur information." msgid "" -"
                                                                              Encrypting sensitive data is recommended. In almost case" -"s, full disk encryption is preferable; users apply a feature in the computer's oper" -"ating system to encrypt the entire disk. -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              -\n" -"
                                                                              In Windows, encryption of your internal disk or USB driv" -"es can be performed by a service called BitLocker. In Mac OSX, disk" -" encryption can be performed by a service called FileVault. Documen" -"tation of these features is available from Microsoft or Apple. Full disk encry" -"ption is also available in Linux. Note that encrypting a USB drive may li" -"mit its usability across devices.
                                                                              -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              Encrypted data is less likely to be " -"seen by an unauthorized person if the laptop/external drive is lost or st" -"olen. It's important to consider that merely \"deleti" -"ng\" files through Windows Explorer, Finder, etc. will not actually erase the d" -"ata from the computer, and even “secure deletion” tools are not co" -"mpletely effective on modern disks. Consider what security measures are necessary for han" -"dling sensitive data files and for decommissioning the computer disc " -";at the end of its use. -\n" -"
                                                                               
                                                                              -\n" -"
                                                                              -\n" -"
                                                                              For more information about securing sensitive research d" -"ata, consult with SFU's IT Services.
                                                                              " +"Indicate the steps that are required to formal" +"ly approve a release of software/technology. " msgstr "" +"Indiquez les étapes nécessaires " +"à l’approbation officielle d’une version de logiciel ou tec" +"hnologie." msgid "" -"

                                                                              Consider contacting SFU Library Data Services to develop the best solution for y" -"our research project.

                                                                              " +"Describe who the intended users are of the sof" +"tware/technology being developed. " msgstr "" +"Décrivez qui sont les utilisateurs pr&e" +"acute;vus du logiciel ou de la technologie en cours de développement. <" +"/span>" msgid "" -"

                                                                              If you need assistance locating a suitable data repository or archive, plea" -"se contact SFU Libr" -"ary Data Services. re3data.or" -"g is a directory of potential open data repositories.

                                                                              " +"Describe the specific elements of the software" +"/technology that will be made available at the completion of the study. If the" +" underlying code will also be shared, please specify. " msgstr "" +"Décrivez les éléments sp&" +"eacute;cifiques du logiciel ou de la technologie partagés à l&rs" +"quo;issue de l’étude. Veuillez préciser si le code sous-ja" +"cent sera également partagé. " msgid "" -"

                                                                              Some data formats are optimal for long-term preservation of data. For examp" -"le, non-proprietary file formats, such as comma-separated ('.csv'), is conside" -"red preservation-friendly. SFU Library provides a useful table of file formats for various types of data. Keep in mind that" -" preservation-friendly files converted from one format to another may lose inf" -"ormation (e.g. converting from an uncompressed TIFF file to a compressed JPG f" -"ile), so changes to file formats should be documented, and you may want to ret" -"ain original formats, even if they are proprietary.

                                                                              " +"Describe any restrictions that may prohibit th" +"e release of software/technology. Examples may include commercial restrictions" +", patent restrictions, or intellectual property rules under the umbrella of an" +" academic institution." msgstr "" +"Décrivez toutes les restrictions suscep" +"tibles d’interdire la diffusion du logiciel ou de la technologie. Il peu" +"t s’agir, par exemple, de restrictions commerciales, de restrictions en " +"matière de brevets ou de règles de propriété intel" +"lectuelle sous l’égide d’un établissement universita" +"ire." msgid "" -"

                                                                              There are various creative commons licenses which can be applied to data. <" -"a href=\"http://www.lib.sfu.ca/help/academic-integrity/copyright/authors/data-c" -"opyright\" target=\"_blank\" rel=\"noopener\">Learn more about data & copyright" -" at SFU.

                                                                              " +"Provide the location of where you intend to sh" +"are your software/technology (e.g., app store, lab website, an industry partne" +"r). If planning to share underlying code, please indicate where that may be av" +"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." msgstr "" +"Indiquez l’endroit où vous avez l" +"’intention de partager votre logiciel ou technologie (par exemple, l&rsq" +"uo;App Store, le site web du laboratoire, un partenaire industriel). Si vous p" +"révoyez de partager le code sous-jacent, veuillez également indi" +"quer l’endroit où il pourrait être disponible. Envisagez d&" +"rsquo;utiliser un outil tel que GitHub (" +"lien en anglais) pour rendre votre code accessible et récupé" +";rable." msgid "" -"

                                                                              If possible, choose a repository like the Canadian Federated Research Data " -"Repository, FRDR for short,  that will assign a persistent identifier (such" -" as a DOI) to your dataset. This will ensure a stable access to the dataset an" -"d make it retrievable by various discovery tools. DataCite Search is a discov" -"ery portal for research data. If you deposit in SFU Radar or a repository inde" -"xed in the Re" -"gistry of Research Data Repositories, your records will appear in the port" -"al's keyword search results.

                                                                              " +"Please describe the types of data you will gat" +"her across all phases of your study. Examples may include, but are not limited" +" to data collected from surveys, interviews, personas or user stories, images," +" user testing, usage data, audio/video recordings, etc." msgstr "" +"Veuillez décrire les types de donn&eacu" +"te;es que vous allez recueillir à toutes les étapes de votre &ea" +"cute;tude. Il peut s’agir, par exemple, de données recueillies da" +"ns le cadre d’enquêtes, d’entretiens, de personas ou d&rsquo" +";histoires d’utilisateurs, d’images, de tests d’utilisateurs" +", de données d’utilisation, d’enregistrements audio/vid&eac" +"ute;o, etc." msgid "" -"

                                                                              If you need advice on identifying potential support, contact data-services@" -"sfu.ca

                                                                              " +"If you will be combining original research dat" +"a with existing licensed, restricted, or previously used research data, descri" +"be those data here. Provide the name, location, and date of the dataset(s) use" +"d. " msgstr "" +"Si vous allez combiner des données de r" +"echerche originales avec des données de recherche existantes sous licen" +"ce, restreintes ou déjà utilisées, décrivez ces do" +"nnées ici. Indiquez le nom, le lieu et la date des ensembles de donn&ea" +"cute;es utilisés. " msgid "" -"

                                                                              Decisions relevant to data retention and storage should align with SFU's Of" -"fice of Research Ethics requirements.

                                                                              " +"Provide a description of any data collection i" +"nstruments or scales that will be used to collect data. These may include but " +"are not limited to questionnaires, assessment scales, or persona guides. If us" +"ing a pre-existing instrument or scale from another study, provide the citatio" +"n(s) in this section." msgstr "" +"Donnez une description de tous les instruments" +" ou échelles de collecte de données qui seront utilisés p" +"our collecter les données. Il peut s’agir, entre autres, de quest" +"ionnaires, d’échelles d’évaluation ou de guides de p" +"ersonas. Si vous utilisez un instrument ou une échelle préexista" +"nts provenant d’une autre étude, fournissez les citations dans ce" +"tte section." msgid "" -"

                                                                              SFU's Office of Research Ethics' consent statement shou" -"ld be consulted when working with human participants.

                                                                              -\n" -"

                                                                              The Interuniversity Consortium f" -"or Political and Social Research (ISPSR) and the Australian National Data Service<" -"/a> also provide examples of informed consent language for data sharing.

                                                                              " +"Indicate how frequently you will be collecting" +" data from participants. For example, if you are conducting a series of user t" +"ests with the same participants each time, indicate the frequency here." msgstr "" +"Indiquez à quelle fréquence vous" +" allez collecter des données auprès des participants. Par exempl" +"e, si vous effectuez une série de tests d’utilisateurs avec les m" +"êmes participants à chaque fois, indiquez la fréquence ici" +"." msgid "" -"

                                                                              The BC Freedom of Information and Protection of Privacy Act doesn't apply to research information of faculty at post-secondary instituti" -"ons (FIPPA S. 3(1)(e)). As such, there are no legal restrictions on the storag" -"e of personal information collected in research projects. This does not mean, " -"however, that sensitive information collected as part of your research does no" -"t need to be safeguarded. Please refer to University Ethics Review (R 20." -"01).

                                                                              -\n" -"

                                                                              IP issues should be clarified at the commencement of your research proj" -"ect so that all collaborators have a mutual understanding of ownership, to pre" -"vent potential conflict later.

                                                                              " +"Indicate the broader geographic location and s" +"etting where data will be gathered." msgstr "" +"Indiquer la situation géographique et l" +"e contexte élargi dans lequel les données seront recueillies." msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              For more information on file formats, see Concordia Library’s Research data management guide.

                                                                              -\n" -"
                                                                              " +"Utilize this section to include a descriptive " +"overview of the procedures involved in the data collection process. This may i" +"nclude but not be limited to recruitment, screening, information dissemination" +", and the phases of data collection (e.g., participant surveys, user acceptanc" +"e testing, etc.). " msgstr "" +"Utilisez cette section pour inclure un aper&cc" +"edil;u descriptif des procédures impliquées dans le processus de" +" collecte des données. Cela peut comprendre, notamment, le recrutement," +" la sélection, la diffusion de l’information et les phases de la " +"collecte des données (par exemple, les enquêtes auprès des" +" participants, les tests d’acceptation par les utilisateurs, etc.). " +"; " msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              For more information on metadata standards, see Concordia Library’s Re" -"search data management guide

                                                                              -\n" -"
                                                                              " +"Include the name and version of any software p" +"rograms used to collect data in the study. If homegrown software/technology is" +" being used, describe it and list any dependencies associated with running tha" +"t program." msgstr "" +"

                                                                              Indiquez le nom et la version de tout logic" +"iel utilisé pour collecter les données dans l’étude" +". Si un logiciel ou une technologie créé(e) à l’int" +"erne est utilisé(e), décrivez celui-ci ou celle-ci et énu" +"mérez toutes les dépendances associées à l’e" +"xécution de ce programme.

                                                                              " msgid "" -"

                                                                              For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact the Concordia " -"IT Research Support Team.

                                                                              " +"List any of the output files formats from the " +"software programs listed above." msgstr "" +"Indiquez les formats de fichiers issus des log" +"iciels énumérés ci-dessus." msgid "" -"

                                                                              For more information on data storage and backup, see Concordia Library&rsqu" -"o;s Research data management guide.

                                                                              -\n" -"

                                                                              For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

                                                                              " +"Provide a description of how you will track ch" +"anges made to any data analysis files. An example of this might include your a" +"udit trails or versioning systems that you will follow iterations of the data " +"during the analysis process." msgstr "" +"Décrivez comment vous allez suivre les " +"modifications apportées aux fichiers d’analyse des données" +". Il peut s’agir par exemple de vos pistes de vérification ou de " +"vos systèmes de gestion des versions qui vous permettront de suivre les" +" itérations des données pendant le processus d’analyse." msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              Datasets containing sensitive data or data files larger than 15MB should no" -"t be transferred via email.

                                                                              -\n" -"

                                                                              Please contact Concordia's IT Research Support Team for the exchan" -"ge of files with external organizations or for assistance with other issues re" -"lated to network services (connectivity with other external research centers o" -"r for high capacity, high volume data transfers).  

                                                                              -\n" -"
                                                                              " +"Describe the software you will use to perform " +"any data analysis tasks associated with your study, along with the version of " +"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." msgstr "" +"Décrivez le logiciel que vous utilisere" +"z pour effectuer les tâches d’analyse des données associ&ea" +"cute;es à votre étude, ainsi que la version de ce logiciel (par " +"exemple, SPSS, Atlas.ti, Excel, R, etc.). " msgid "" -"

                                                                              For more information on data archiving options, see Concordia Library&rsquo" -";s Research data management guide.

                                                                              " +"List the file formats associated with each ana" +"lysis software program that will be generated in your study (e.g., .txt, .csv," +" .xsls, .docx)." msgstr "" +"Énumérez les formats de fichiers" +" associés à chaque logiciel d’analyse qui sera gén&" +"eacute;ré dans votre étude (par exemple, .txt, .csv, .xsls, .doc" +"x)." msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              For more information, please contact copyright.questions@concordia.ca

                                                                              -\n" -"
                                                                              " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"Include any code or coding schemes used to per" +"form data analysis. Examples in this section could include codebooks for analy" +"zing interview transcripts from user testing, code associated with the functio" +"nal/non-functional requirements of the software/technology program, or analyti" +"cal frameworks used for evaluation." msgstr "" +"Indiquez tous les codes ou systèmes de " +"codage utilisés pour effectuer l’analyse des données. Il p" +"eut s’agir, par exemple, des guides de codification pour l’analyse" +" des transcriptions d’entretiens des tests d’utilisation, des code" +"s associés aux exigences fonctionnelles ou non fonctionnelles du progra" +"mme logiciel ou technologique, ou des cadres analytiques utilisés pour " +"l’évaluation." msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -<<<<<<< HEAD -"

                                                                              For more information on file formats, see Concordia Library’s Research data management guide.

                                                                              -\n" -======= -"

                                                                              Although there are no absolute rules to determine the cost of data curation" -", some guidelines and tools have been developed to help researchers estimate t" -"hese costs. See for instance the information and tool " -"provided by the UK Data Service.

                                                                              -\n" -"

                                                                              Another version of this t" -"ool, with examples of actual costs (in Euros), was developed by librarians" -" and IT staff at Utrecht University.

                                                                              -\n" -"

                                                                              For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact Concordia's IT" -" Research Support Team.

                                                                              -\n" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"
                                                                              " +"Use this section to describe any quality revie" +"w schedules, double coding measures, inter-rater reliability, quality review s" +"chedules, etc. that you intend to implement in your study." msgstr "" +"Indiquez dans cette section les calendriers d&" +"rsquo;examen de la qualité, les mesures de double codage, la fiabilit&e" +"acute; entre évaluateurs, etc. que vous souhaitez mettre en œuvre" +" dans votre étude." msgid "" -<<<<<<< HEAD -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              For more information on metadata standards, see Concordia Library’s Re" -"search data management guide

                                                                              -\n" -"
                                                                              " +"Consider what information might be useful to a" +"ccompany your data if you were to share it with someone else (e.g., the study " +"protocol, interview guide, personas, user testing procedures, data collection " +"instruments, or software dependencies, etc.)." msgstr "" +"Réfléchissez à l’in" +"formation qui pourrait être utile pour accompagner vos données si" +" vous deviez les partager avec quelqu’un d’autre (par exemple, le " +"protocole de l’étude, le guide d’entretien, les personas, l" +"es procédures de test des utilisateurs, les instruments de collecte des" +" données ou les dépendances des logiciels, etc.)." msgid "" -"

                                                                              For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact the Concordia " -"IT Research Support Team.

                                                                              " +"Describe the target population for which the s" +"oftware/technology is being developed (i.e., end users)." msgstr "" +"Décrire la population cible pour laquel" +"le le logiciel ou la technologie est développé(e) (c’est-&" +"agrave;-dire les utilisateurs finaux)." msgid "" -"

                                                                              For more information on data storage and backup, see Concordia Library&rsqu" -"o;s Research data management guide.

                                                                              -\n" -"

                                                                              For assistance with data storage and backup, please contact Concordia's IT Research Support Team.

                                                                              " +"Describe the processes used to sample the popu" +"lation (e.g., convenience, snowball, purposeful, etc.)." msgstr "" +"Décrivez les processus utilisés " +"pour échantillonner la population (par exemple, échantillonnage " +"de commodité, en boule de neige, délibéré, etc.).<" +"/span>" msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              Datasets containing sensitive data or data files larger than 15MB should no" -"t be transferred via email.

                                                                              -\n" -"

                                                                              Please contact Concordia's IT Research Support Team for the exchan" -"ge of files with external organizations or for assistance with other issues re" -"lated to network services (connectivity with other external research centers o" -"r for high capacity, high volume data transfers).  

                                                                              -\n" -"
                                                                              " +"For any data gathered, list the variables bein" +"g studied. For each variable, include the variable name, explanatory informati" +"on, variable type, and values associated with each variable. Examples may incl" +"ude demographic characteristics of stakeholders, components of the software/te" +"chnology program’s functional and nonfunctional requirements, etc. See g" +"uidance on how to create a" +" data dictionary." msgstr "" +"Pour toute donnée recueillie, én" +"umérez les variables étudiées. Pour chaque variable, indi" +"quez le nom de la variable, les informations explicatives, le type de variable" +" et les valeurs associées à chaque variable. Il peut s’agi" +"r, par exemple, des caractéristiques démographiques des interven" +"ants, des composantes des exigences fonctionnelles et non fonctionnelles du lo" +"giciel ou du programme technologique, etc. Consultez le guide sur comment créer un dictionnaire d" +"e donnés (lien en anglais)." msgid "" -"

                                                                              For more information on data archiving options, see Concordia Library&rsquo" -";s Research data management guide.

                                                                              " -======= -"

                                                                              The answer to this question must be in line with Concordia University&rsquo" -";s Policy for the Ethic" -"al Review of Research Involving Human Participants.

                                                                              -\n" -"

                                                                              The information provided here may be useful in completing section 13 (confi" -"dentiality, access, and storage) of the Summary Protoc" -"ol Form (SPF) for research involving human participants.

                                                                              -\n" -"

                                                                              For technical assistance, please contact Concordia's IT Research Suppo" -"rt Team.

                                                                              -\n" -"

                                                                              For questions concerning ethics, Concordia's Offi" -"ce of Research.

                                                                              " +"Create a glossary of all acronyms or abbreviat" +"ions used within your study. " msgstr "" +"Créez un glossaire de tous les acronyme" +"s ou abréviations utilisés dans votre étude. " msgid "" -"

                                                                              The information provided here may also be useful in completing section 13 (" -"confidentiality, access, and storage) of the Summ" -"ary Protocol Form (SPF) for research involving human participants.

                                                                              " +"Provide an estimate of how much data you will " +"collect for all data in the form of terabytes, gigabytes, or megabytes as need" +"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" +"equired for video files, 500 MB for survey data). " msgstr "" +"Fournissez une estimation de la quantité" +"; de données que vous allez collecter pour l’ensemble des donn&ea" +"cute;es sous forme de téraoctets, gigaoctets ou mégaoctets selon" +" les besoins. Il est conseillé de ventiler les exigences de taille par " +"type de données (par exemple, 2 Go pour les fichiers vidéo," +" 500 Mo pour les données d’enquête)." msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              Concordia University researchers must abide by the University’s policies related to research.

                                                                              -\n" -"

                                                                              Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" -"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" -"nbsp;

                                                                              -\n" -"

                                                                              For more information on intellectual property or copyright issues, please c" -"ontact copyright.questions@concordia.ca

                                                                              -\n" -"

                                                                              For more information on research ethics please contact Concordia's Office of Research.

                                                                              -\n" -"
                                                                              " +"Indicate where and how data will be stored dur" +"ing data collection. Examples may include storing data in secure, password pro" +"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" +"p), hard copies stored in locked filing cabinets, external hard drives, etc." msgstr "" +"Indiquez l’endroit et la méthode " +"de stockage des données pendant la collecte des données. Il peut" +" s’agir, par exemple, du stockage de données dans des fichiers in" +"formatiques sécurisés et protégés par un mot de pa" +"sse, du stockage crypté dans les nuages, de programmes logiciels (par e" +"xemple REDCap), de copies papier stockées dans des classeurs verrouill&" +"eacute;s, de disques durs externes, etc." msgid "" -"

                                                                              Research Data Manag" -"ement Guide

                                                                              " +"If different from above, indicate where data i" +"s stored during the data analysis process. If data is being sent to external l" +"ocations for analysis by a statistician, describe that process here." msgstr "" +"S’il diffère de celui indiqu&eacu" +"te; ci-dessus, indiquez l’endroit où les données sont stoc" +"kées pendant le processus d’analyse des données. Si les do" +"nnées sont envoyées à des endroits externes pour êt" +"re analysées par un statisticien, décrivez ce processus ici." msgid "" -"Describe all types of data you will collect th" -"roughout the research process, with special attention paid to participant-driv" -"en data (e.g., written transcripts, video files, audio recordings, journals, a" -"rt, photographs, etc.)." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +"Indicate the security measures used to protect" +" participant identifying data. Examples may include storing informed consent f" +"orms separately from anonymized data, password protecting files, locking unuse" +"d computers, and restricting access to data that may contain identifying infor" +"mation. " msgstr "" -"Décrivez tous les types de donné" -"es que vous collecterez tout au long du processus de recherche, en accordant u" -"ne attention particulière aux données fournies par les participa" -"nts (par exemple, transcriptions écrites, fichiers vidéo, enregi" -"strements audio, journaux, art, photographies, etc.)." +"Indiquez les mesures de sécurité" +" utilisées pour protéger les données d’identificati" +"on des participants. Il peut s’agir, par exemple, de stocker les formula" +"ires de consentement éclairé séparément des donn&e" +"acute;es anonymisées, de protéger les fichiers par un mot de pas" +"se, de verrouiller les ordinateurs inutilisés et de restreindre l&rsquo" +";accès aux données pouvant contenir des renseignements identific" +"atoires. " msgid "" -<<<<<<< HEAD -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              For more information, please contact copyright.questions@concordia.ca

                                                                              -\n" -"
                                                                              " -======= -"If you will be combining original research dat" -"a with existing, or previously used research data, describe those data here. P" -"rovide the name, location, URL, and date of the dataset(s) used. Describe any " -"end-user license assigned to the data, or terms of use you must abide by." ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" -"Si vous comptez combiner des données de" -" recherche originales avec des données de recherche existantes ou d&eac" -"ute;jà utilisées, décrivez-les ici. Indiquez le nom, le l" -"ieu, l’URL et la date du ou des ensembles de données utilis&eacut" -"e;s. Décrivez toute licence d’utilisateur final attribuée " -"aux données, ou les conditions d’utilisation que vous devez respe" -"cter." - -msgid "" -<<<<<<< HEAD -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              Although there are no absolute rules to determine the cost of data curation" -", some guidelines and tools have been developed to help researchers estimate t" -"hese costs. See for instance the information and tool " -"provided by the UK Data Service.

                                                                              -\n" -"

                                                                              Another version of this t" -"ool, with examples of actual costs (in Euros), was developed by librarians" -" and IT staff at Utrecht University.

                                                                              -\n" -"

                                                                              For assistance with IT requirements definition and IT infrastructure & " -"solutions review or for help regarding business case preparation for new inves" -"tment in IT infrastructure for researchers, please contact Concordia's IT" -" Research Support Team.

                                                                              -\n" -"
                                                                              " +"List any specific file naming conventions used" +" throughout the study. Provide examples of this file naming convention in the " +"text indicating the context for each part of the file name. See file naming gu" +"idance here<" +"/span>." msgstr "" +"Indiquez les conventions de nomenclature des f" +"ichiers utilisées tout au long de l’étude. Donnez des exem" +"ples de cette convention de nomenclature de fichier dans le texte en indiquant" +" le contexte de chaque partie du nom du fichier. Consultez le guide de nomencl" +"ature des fichiers ici
                                                                              ." msgid "" -"

                                                                              The answer to this question must be in line with Concordia University&rsquo" -";s Policy for the Ethic" -"al Review of Research Involving Human Participants.

                                                                              -\n" -"

                                                                              The information provided here may be useful in completing section 13 (confi" -"dentiality, access, and storage) of the Summary Protoc" -"ol Form (SPF) for research involving human participants.

                                                                              -\n" -"

                                                                              For technical assistance, please contact Concordia's IT Research Suppo" -"rt Team.

                                                                              -\n" -"

                                                                              For questions concerning ethics, Concordia's Offi" -"ce of Research.

                                                                              " +"Describe how your study data will be regularly" +" saved, backed up, and updated. If using institutional servers, consult with y" +"our Information Technology department to find out how frequently data is backe" +"d up." msgstr "" +"Décrivez comment les données de " +"votre étude seront régulièrement enregistrées, sau" +"vegardées et mises à jour. Si vous utilisez des serveurs institu" +"tionnels, consultez votre service informatique pour connaître la fr&eacu" +"te;quence de sauvegarde des données." msgid "" -"

                                                                              The information provided here may also be useful in completing section 13 (" -"confidentiality, access, and storage) of the Summ" -"ary Protocol Form (SPF) for research involving human participants.

                                                                              " +"Outline the information provided in your Resea" +"rch Ethics Board protocol, and describe how informed consent is collected, and" +" at which phases of the data collection process. Examples include steps to gai" +"n written or verbal consent, re-establishing consent at subsequent points of c" +"ontact, etc. " msgstr "" +"Décrivez l’information fournie da" +"ns le protocole de votre comité d’éthique de la recherche," +" et décrivez comment et à quelles phases du processus de collect" +"e des données le consentement éclairé est recueilli. Il p" +"eut s’agir, par exemple, des étapes permettant d’obtenir un" +" consentement écrit ou verbal, du rétablissement du consentement" +" aux points de contact ultérieurs, etc.  " msgid "" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -" -\n" -"
                                                                              -\n" -"

                                                                              Concordia University researchers must abide by the University’s policies related to research.

                                                                              -\n" -"

                                                                              Intellectual property issues at Concordia University are governed by the Policy on Intellectual Propert" -"y (VPRGS-9) as well as CUFA and CUPFA collective agreements.&" -"nbsp;

                                                                              -\n" -"

                                                                              For more information on intellectual property or copyright issues, please c" -"ontact copyright.questions@concordia.ca

                                                                              -\n" -"

                                                                              For more information on research ethics please contact Concordia's Office of Research.

                                                                              -\n" -"
                                                                              " +"Describe any ethical concerns that may be asso" +"ciated with the data in this study. For example, if vulnerable and/or Indigeno" +"us populations were studied, outline specific guidelines that are being follow" +"ed to protect participants (e.g., " +"OCAP, community advisory boards, et" +"c.)." msgstr "" +"Décrivez toute préoccupation &ea" +"cute;thique qui pourrait être associée aux données de cett" +"e étude. Par exemple, si des populations vulnérables ou indig&eg" +"rave;nes ont été étudiées, décrivez les lig" +"nes directrices spécifiques qui sont suivies pour protéger les p" +"articipants (par exemple, les principes de PCAP, les conseils cons" +"ultatifs communautaires, etc.)." msgid "" -"

                                                                              Research Data Manag" -"ement Guide

                                                                              " +"Provide details describing the legal restricti" +"ons that apply to your data. These restrictions may include, but are not limit" +"ed to details about how your research data can be used as outlined by a funder" +", institution, collaboration or commercial agreement. " msgstr "" +"Indiquez en détail les restrictions jur" +"idiques qui s’appliquent à vos données. Ces restrictions p" +"euvent inclure, notamment, des détails sur la manière dont vos d" +"onnées de recherche peuvent être utilisées selon les direc" +"tives d’un bailleur de fonds, une institution, une collaboration ou un a" +"ccord commercial. " msgid "" -"Describe all types of data you will collect th" -"roughout the research process, with special attention paid to participant-driv" -"en data (e.g., written transcripts, video files, audio recordings, journals, a" -"rt, photographs, etc.)." +"Describe any financial resources that may be r" +"equired to properly manage your research data. This may include personnel, sto" +"rage requirements, software, hardware, etc." msgstr "" -"Décrivez tous les types de donné" -"es que vous collecterez tout au long du processus de recherche, en accordant u" -"ne attention particulière aux données fournies par les participa" -"nts (par exemple, transcriptions écrites, fichiers vidéo, enregi" -"strements audio, journaux, art, photographies, etc.)." +"Décrivez toutes les ressources financi&" +"egrave;res qui peuvent être nécessaires pour gérer correct" +"ement vos données de recherche. Celles-ci peuvent être lié" +"es au personnel, au stockage, aux logiciels, au matériel, etc." msgid "" -"If you will be combining original research dat" -"a with existing, or previously used research data, describe those data here. P" -"rovide the name, location, URL, and date of the dataset(s) used. Describe any " -"end-user license assigned to the data, or terms of use you must abide by." +"Provide the name(s), affiliation, and contact " +"information for the main study contact." msgstr "" -"Si vous comptez combiner des données de" -" recherche originales avec des données de recherche existantes ou d&eac" -"ute;jà utilisées, décrivez-les ici. Indiquez le nom, le l" -"ieu, l’URL et la date du ou des ensembles de données utilis&eacut" -"e;s. Décrivez toute licence d’utilisateur final attribuée " -"aux données, ou les conditions d’utilisation que vous devez respe" -"cter." +"Indiquez les noms, l’affiliation et les " +"coordonnées des personnes-ressources à contacter pour l’&e" +"acute;tude." msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, interview guides, or focus group procedures" -". If using a pre-existing instrument or scale, provide the citation(s) in this" -" section." +"Provide the name(s), affiliation, contact info" +"rmation, and responsibilities of each study team member in relation to working" +" with the study data. " msgstr "" -"Décrivez tous les instruments ou &eacut" -"e;chelles de collecte de données qui seront utilisés pour collec" -"ter les données. Il peut s’agir, entre autres, de questionnaires," -" de guides d’entretien ou de procédures de groupes de discussion." -" Si vous utilisez un instrument ou une échelle préexistante, fou" -"rnissez les citations dans cette section." +"Indiquez les noms, l’affiliation, les co" +"ordonnées et les responsabilités de chaque membre de l’&ea" +"cute;quipe d’étude qui travaille avec les données de l&rsq" +"uo;étude. " msgid "" -"Describe the frequency in which you will be co" -"llecting data from participants. If you are performing narrative inquiry or lo" -"ngitudinal data collection for example, how often will you gather data from th" -"e same participants?" +"Describe who the intended users are of the dat" +"a. Consider that those who would benefit most from your data may differ from t" +"hose who would benefit from the software/technology developed. " msgstr "" -"Décrivez la fréquence à l" -"aquelle vous collecterez des données auprès des participants. Si" -" vous effectuez une enquête narrative ou une collecte de données " -"longitudinales par exemple, à quelle fréquence allez-vous collec" -"ter des données auprès des mêmes participants ?" +"Décrivez qui sont les utilisateurs pr&e" +"acute;vus des données. Tenez compte du fait que ceux qui profiteraient " +"le plus de vos données peuvent être différents de ceux qui" +" profiteraient du logiciel ou de la technologie développé(e)." msgid "" -"Provide an estimate of when you will begin and" -" conclude the data collection process. List this information in the following " -"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" -"/MM - YYYY/MM instead." +"Outline the specific data that can be shared a" +"t the completion of the study. Be specific about the data (e.g., from surveys," +" user testing, app usage, interviews, etc.) and what can be shared." msgstr "" -"Donnez une estimation de la date à laqu" -"elle vous commencerez et terminerez le processus de collecte des donnée" -"s. Fournissez ces renseignements dans le format suivant : AAAA/MM/JJ &mda" -"sh; AAAA/MM/JJ. Si vous ne connaissez pas les dates exactes, utilisez plut&oci" -"rc;t le format AAAA/MM — AAAA/MM." +"Précisez les données qui peuvent" +" être partagées à l’issue de l’étude. S" +"oyez précis quant aux données (par exemple, provenant d’en" +"quêtes, de tests d’utilisateurs, d’utilisation d’appli" +"cations, d’entretiens, etc." msgid "" -"Provide a description of the environment and g" -"eographic location of where data will be gathered, within the context of the s" -"tudy (e.g., hospital setting, long-term care setting, community). Include nati" -"onal, provincial, or municipal locations if applicable." +"Describe any restrictions that may prohibit th" +"e sharing of data. Examples may include holding data that has confidentiality," +" license, or intellectual property restrictions, are beholden to funder requir" +"ements, or are subject to a data use agreement." msgstr "" -"Décrivez de l’environnement et de" -" l’emplacement géographique dans lequel les données seront" -" recueillies dans le contexte de l’étude (par exemple, milieu hos" -"pitalier, établissement de soins de longue durée, communaut&eacu" -"te;). Précisez les emplacements nationaux, provinciaux ou municipaux, l" -"e cas échéant." +"Décrivez toutes les restrictions qui po" +"urraient interdire le partage des données. Il peut s’agir, par ex" +"emple, de la détention de données assujetties à des restr" +"ictions en matière de confidentialité, de licence ou de propri&e" +"acute;té intellectuelle selon les exigences du bailleur de fonds ou qui" +" font l’objet d’un accord d’utilisation des données.<" +"/span>" msgid "" -"

                                                                              Summarize the steps that are involved in th" -"e data collection process for your study. This section should include informat" -"ion about screening and recruitment, the informed consent process, information" -" disseminated to participants before data collection, and the methods by which" -" data is gathered. 

                                                                              -\n" -"
                                                                              -\n" -"

                                                                              In this section, consider including documen" -"tation such as your study protocol, interview guide, questionnaire, etc.

                                                                              " +"Provide the location where you intend to share" +" your data. This may be an institutional repository, external data repository, via community approval, or through you" +"r Research Ethics Board." msgstr "" -"

                                                                              Résumez les étapes du process" -"us de collecte des données pour votre étude. Cette section doit " -"comprendre des renseignements sur la sélection et le recrutement, le pr" -"ocessus de consentement éclairé, l’information diffus&eacu" -"te;e aux participants avant la collecte des données et les métho" -"des de collecte des données. 

                                                                              -\n" -"

                                                                              Dans cette section, songez à inclure" -" des documents tels que votre protocole d’étude, le guide d&rsquo" -";entretien, le questionnaire, etc.

                                                                              " +"Indiquez l’endroit où vous avez l" +"’intention de partager vos données. Il peut s’agir d’" +"un dépôt institutionnel, un dépôt de données exte" +"rne (lien en anglais), par le biais d’une approbation de la" +" communauté ou par l’intermédiaire de votre comité " +"d’éthique de la recherche." msgid "" -"Include a description of any software that wil" -"l be used to gather data. Examples may include but are not limited to word pro" -"cessing programs, survey software, and audio/video recording tools. Provide th" -"e version of each software program used if applicable." -msgstr "" -"Décrivez les logiciels qui serviront &a" -"grave; recueillir des données. Il peut s’agir, par exemple, de pr" -"ogrammes de traitement de texte, de logiciels d’enquête et d&rsquo" -";outils d’enregistrement audio/vidéo. Indiquez la version de chaq" -"ue logiciel utilisé, le cas échéant." - -msgid "" -"List the file formats associated with each sof" -"tware program that will be generated during the data collection phase (e.g., ." -"txt, .csv, .mp4, .wav)." -msgstr "" -"Indiquez les formats de fichiers associé" -";s à chaque logiciel qui seront générés pendant la" -" phase de collecte des données (par exemple, .txt, .csv, .mp4, .wav, et" -"c.)." - -msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. Examples might include any audit trail " -"steps, or versioning systems that you follow during the data analysis process." -"" -msgstr "" -"Décrivez comment vous allez suivre les " -"modifications apportées aux fichiers d’analyse des données" -". Il peut s’agir, par exemple, d’étapes de la piste de v&ea" -"cute;rification ou de systèmes de gestion des versions que vous utilise" -"z pendant le processus d’analyse des données." - -msgid "" -"Include any software programs you plan to use " -"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" -"tc.). Include the version if applicable." -msgstr "" -"Indiquez tous les logiciels que vous utilisere" -"z pour effectuer ou compléter l’analyse des données (par e" -"xemple, NVivo, Atlas.ti, SPSS, SAS, R, etc.). Précisez les versions, le" -" cas échéant." - -msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx). " -msgstr "" -"Indiquez les formats de fichiers associé" -";s à chaque logiciel d’analyse qui seront génér&eac" -"ute;s dans votre étude (par exemple, .txt, .csv, .xsls, .docx, etc.). <" -"/span>" - -msgid "" -"Include the coding scheme used to analyze your" -" data -- consider providing a copy of your codebook. If other methods of analy" -"sis were performed, describe them here. " -msgstr "" -"Précisez le système de codage ut" -"ilisé pour analyser vos données — pensez à fournir " -"une copie de votre guide de codification. Si d’autres méthodes d&" -"rsquo;analyse ont été utilisées, décrivez-les ici." -" " - -msgid "" -"Outline the steps that will be taken to ensure" -" the quality and transparency during the data analysis process. In this sectio" -"n, describe procedures for cleaning data, contacting participants to clarify r" -"esponses, and correcting data when errors are identified. Consider the princip" -"les of credibility, dependability, confirmability, and transferability as desc" -"ribed in Lincoln and Guba, 1985 when completing this section." -msgstr "" -"Décrivez les mesures qui seront prises " -"pour garantir la qualité et la transparence du processus d’analys" -"e des données. Dans cette section, décrivez les procédure" -"s de nettoyage des données, de communication avec les participants pour" -" clarifier les réponses et de correction des données lorsque des" -" erreurs sont trouvées. Tenez compte des principes de crédibilit" -"é, de fiabilité, de corroboration et de transférabilit&ea" -"cute; tels que décrits dans Lincoln et" -" Guba, 1985 (lien en anglais) lorsque vous complétez cette section." - -msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, codebook, information about software used, question" -"naires, user guide for the data, etc.)." -msgstr "" -"Réfléchissez aux renseignements " -"qui pourraient être utiles pour accompagner vos données si vous d" -"eviez les partager avec quelqu’un d’autre (par exemple, le protoco" -"le de l’étude, le guide des entretiens, le guide de codification," -" les renseignements sur les logiciels utilisés, les questionnaires, le " -"guide d’utilisation des données, etc.)." - -msgid "" -"Metadata standards can provide guidance on how" -" best to document your data. If you do not know of any existing standards in y" -"our field, visit this website to search for available standards: https://fairshari" -"ng.org/." -msgstr "" -"Les normes relatives aux métadonn&eacut" -"e;es peuvent fournir des conseils sur la meilleure façon de documenter " -"vos données. Si vous ne connaissez aucune norme existante dans votre do" -"maine, visitez ce site web pour rechercher les normes disponibles : https://f" -"airsharing.org/ (lien en anglais)." - -msgid "" -"Describe the participants whose lived experien" -"ces/phenomena are being studied in this project." -msgstr "" -"Décrivez les participants dont les exp&" -"eacute;riences vécues ou les phénomènes vécus font" -" l’objet de votre étude." - -msgid "" -"Provide a brief description of the sampling pr" -"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" -"." -msgstr "" -"Décrivez sommairement le processus d&rs" -"quo;échantillonnage entrepris dans le cadre de l’étude (pa" -"r exemple, échantillonnage dirigé, échantillonnage th&eac" -"ute;orique)." - -msgid "" -"Outline any weighting or representative sampli" -"ng that is being applied in this study." -msgstr "" -"Indiquez les pondérations ou les &eacut" -"e;chantillonnages représentatifs que vous utilisez dans votre ét" -"ude." - -msgid "" -"Provide a glossary of any acronyms or abbrevia" -"tions used within your study." -msgstr "" -"Fournissez un glossaire de tous les acronymes " -"ou abréviations que vous utilisez dans votre étude." - -msgid "" -"Provide an estimate of how much data you will " -"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" -"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" -"r interview transcripts)." -msgstr "" -"Fournissez une estimation de la quantité" -"; de données que vous allez collecter sous forme de téraoctets, " -"gigaoctets ou mégaoctets selon les besoins. Donnez une estimation pour " -"chaque type de données si possible (par exemple, 2 Go pour les fic" -"hiers vidéo, 500 Mo pour les transcriptions d’entretiens)." - -msgid "" -"Describe where your data will be stored while " -"data is being gathered from participants (e.g., in a secure, password protecte" -"d computer file, hard copies stored in locked filing cabinets, or institutiona" -"l computer storage)." -msgstr "" -"Décrivez l’endroit où vos " -"données seront stockées pendant la collecte de données au" -"près des participants (par exemple, dans un fichier informatique s&eacu" -"te;curisé et protégé par un mot de passe, des copies papi" -"er stockées dans des classeurs verrouillés ou un serveur informa" -"tique institutionnel)." - -msgid "" -"If different from the above, describe where yo" -"ur data will be stored while performing data analysis." -msgstr "" -"S’il diffère de celui indiqu&eacu" -"te; ci-dessus, indiquez l’endroit où les données sont stoc" -"kées pendant le processus d’analyse des données." - -msgid "" -"Describe how your study data will be regularly" -" saved and updated. If using institutional servers, consult with your Informat" -"ion Technology department if you are unsure how frequently data is backed up.<" -"/span>" -msgstr "" -"Décrivez comment les données de " -"votre étude seront régulièrement sauvegardées et m" -"ises à jour. Si vous utilisez des serveurs institutionnels, consultez v" -"otre service informatique pour connaître la fréquence de sauvegar" -"de des données." - -msgid "" -"Outline the procedures that will safeguard sen" -"sitive data collected during your study. This may include storing identifying " -"data (consent forms) separately from anonymized data (audio files or transcrip" -"ts), keeping files password protected and secure, and only providing access to" -" investigators analyzing the data." -msgstr "" -"Décrivez les procédures qui perm" -"ettront de protéger les données sensibles recueillies au cours d" -"e votre étude. Cela peut inclure le stockage des données identif" -"icatoires (formulaires de consentement) séparément des donn&eacu" -"te;es anonymes (fichiers audio ou transcriptions), la protection et la s&eacut" -"e;curisation des fichiers par un mot de passe, et l’accès r&eacut" -"e;servé aux chercheurs qui analysent les données." - -msgid "" -"Provide examples of a consistent file naming c" -"onvention that will be used for this study. Examples of file names might inclu" -"de the type of file, participant number, date of interaction, and/or study pha" -"se. Follow t" -"his guide for more information on f" -"ile naming." -msgstr "" -"Donnez des exemples de convention de nomenclat" -"ure de fichier uniforme qui seront utilisés pour cette étude. Le" -"s exemples de noms de fichiers peuvent inclure le type de fichier, le num&eacu" -"te;ro de participant, la date d’interaction ou la phase de l’&eacu" -"te;tude. Consultez ce guide pour plus d’information sur la dénomination des fichiers." - -msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, external data repository" -", in secure, institutional computer" -" storage, or external hard drive)." +"Describe where your data will be stored after " +"project completion (e.g., in an institutional repository, an external data reposit" +"ory, a secure institutional compute" +"r storage, or an external hard drive)." msgstr "" "Décrivez où vos données s" "eront stockées après l’achèvement du projet (par ex" @@ -9446,8 +7583,8 @@ msgstr "" msgid "" "Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation(s) and contact" -" information." +"e data at the completion of the project. List their affiliation and contact in" +"formation." msgstr "" "Indiquez les personnes responsables de la gest" "ion des données à l’issue du projet. Indiquez leur affilia" @@ -9459,9 +7596,8 @@ msgid "" "a difficult to access later on. Consider transforming any proprietary files in" "to preservation-friendly formats<" -"/span> to ensure your data can be opened i" -"n any program. Describe the process for migrating any data formats here." +"/span> to ensure your data can be opened. " +"Describe the process for migrating your data formats here." msgstr "" "De nombreux formats de fichiers proprié" "taires, tels que ceux générés par les logiciels Microsoft" @@ -9471,27 +7607,15 @@ msgstr "" "nformation-patrimoine/services/preservation-numerique/recommandations-formats-" "fichier-preservation-numerique.html\">formats c" "onvenables à la préservation pour garantir que vos données puissent être ouvertes dans" -" n’importe quel programme. Décrivez le processus de migration de " -"vos formats de données ici." - -msgid "" -"Provide details on how long you plan to keep y" -"our data after the project, and list any requirements you must follow based on" -" Research Ethics Board guidelines, data use agreements, or funder requirements" -". " -msgstr "" -"Indiquez en détail la durée de c" -"onservation de vos données après le projet et indiquez les exige" -"nces que vous devez respecter en fonction des directives du comité d&rs" -"quo;éthique de la recherche, des accords d’utilisation des donn&e" -"acute;es ou des exigences du bailleur de fonds." +" 400;\"> pour garantir que vos données puissent être ouvertes. D&e" +"acute;crivez le processus de migration de vos formats de données ici." msgid "" "Describe what steps will be taken to destroy s" -"tudy data. These steps may include shredding physical documents, making data u" -"nretrievable with support from your Information Technology department, or othe" -"r personal measures to eliminate data files." +"tudy data. These steps may include but are not limited to shredding physical d" +"ocuments, making data unretrievable with support from your Information Technol" +"ogy department, or personal measures to eliminate data files." msgstr "" "Décrivez les mesures qui seront prises " "pour détruire les données de l’étude. Ces mesures p" @@ -9501,17343 +7625,8632 @@ msgstr "" "s." msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how and when informed consent is colle" -"cted during the data collection process. Examples include steps to gain writte" -"n or verbal consent, re-establishing consent at subsequent interviews, etc. " -msgstr "" -"Décrivez l’information fournie da" -"ns le protocole de votre comité d’éthique de la recherche," -" et décrivez comment et à quelles phases du processus de collect" -"e des données le consentement éclairé est recueilli. Il p" -"eut s’agir, par exemple, des étapes permettant d’obtenir un" -" consentement écrit ou verbal, du rétablissement du consentement" -" aux points de contact ultérieurs, etc.  " - -msgid "" -"Provide the name, institutional affiliation, a" -"nd contact information of the person(s) who hold intellectual property rights " -"to the data." -msgstr "" -"Indiquez le nom, l’affiliation instituti" -"onnelle et les coordonnées des personnes qui détiennent les droi" -"ts de propriété intellectuelle sur les données." - -msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations are included as participants, outline specific guidelines that " -"are being followed to protect them (e.g., OCAP, community advisory bo" -"ards, etc.)." +"Drawings, songs, poems, films, short stories, " +"performances, interactive installations, and social experiences facilitated by" +" artists are examples of data. Data on " +"artistic processes can include documentation of techniques, stages, and contex" +"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" +"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" +" create artwork. Other types of data ar" +"e audio recordings of interviews, transcripts, photographs, videos, field note" +"s, historical documents, social media posts, statistical spreadsheets, and com" +"puter code." msgstr "" -"Décrivez toute préoccupation &ea" -"cute;thique qui pourrait être associée aux données de cett" -"e étude. Par exemple, si des populations vulnérables ou indig&eg" -"rave;nes ont été étudiées, décrivez les lig" -"nes directrices spécifiques qui sont suivies pour protéger les p" -"articipants (par exemple, les principes de PCAP, les conseils consultatifs communautaire" -"s, etc.)." +"Les dessins, chansons, poèmes, films, n" +"ouvelles, performances, installations interactives et expériences socia" +"les menées par des artistes sont tous des exemples de données. Parmi les données sur les process" +"us artistiques figure la documentation des techniques, des étapes, des " +"contextes, des matériaux (peintures, textiles, objets trouvés) e" +"t des outils (crayons, corps, instruments de musique) de la création ar" +"tistique. Les enregistrements audio d&r" +"squo;entrevues, transcriptions, photographies, vidéos, notes d’ob" +"servation, documents historiques, publication dans les médias sociaux, " +"feuilles de calcul statistiques et codes informatiques sont d’autres typ" +"es de données." msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by funder, " -"institutional, or community agreements, among others." +"Artwork is a prominent type of data in ABR tha" +"t is commonly used as content for analysis and interpretation. Artworks that e" +"xist as, or are documented in, image, audio, video, text, and other types of d" +"igital files facilitate research data management. The same applies to preparat" +"ory, supplemental, and discarded artworks made in the creation of a principal " +"one. Research findings you create in the form of artwork can be treated as dat" +"a if you will make them available for researchers, artists, and/or the public " +"to use as data. Information about artistic processes can also be data. Read mo" +"re on artwork and artistic processes as data at Kultur II Group and Jisc." msgstr "" -"Indiquez en détail les restrictions jur" -"idiques qui s’appliquent à vos données. Ces restrictions p" -"euvent inclure, notamment, des détails sur la manière dont vos d" -"onnées de recherche peuvent être utilisées selon les direc" -"tives d’un bailleur de fonds, une institution ou un accord communautaire" -", notamment." +"Les œuvres sont des données impor" +"tantes dans la RBA, qui servent généralement de contenu pour l&r" +"squo;analyse et l’interprétation. Les œuvres document&eacut" +"e;es ou qui existent sous forme d’image, de son, de vidéo, de tex" +"te ou de fichier numérique facilitent la gestion des données de " +"recherche. Le même principe s’applique aux œuvres pré" +"liminaires, complémentaires ou écartées pendant la cr&eac" +"ute;ation de l’œuvre principale. Vous pouvez traiter vos ré" +"sultats de recherche, qui s’expriment sous forme d’œuvre, co" +"mme étant de données si elles sont accessibles aux chercheurs, a" +"ux artistes et au public. Toute information sur le processus artistique peut &" +"eacute;galement servir de données. Pour plus d’information sur le" +"s œuvres et le processus artistique comme données, veuillez consu" +"lter le Kult" +"ur II Group et Jisc (liens en a" +"nglais)." msgid "" -"List all the steps that will be taken to remov" -"e the risk of disclosing personal information from study participants. Include" -" information about keeping data safe and secure, and whether certain informati" -"on will be removed from the data. If data is being anonymized or de-identified" -", specify the information type(s) being altered (e.g., names, addresses, dates" -", location)." +"Researchers and artists can publish their data" +" for others to reuse. Research data repositories and government agencies are s" +"ources of published data (e.g., Federated Research Data Repository, Statistics Canada). Your university may have its own research data repo" +"sitory. Academic journals may host published data as supplementary material co" +"nnected to their articles. If you need help finding resources for published da" +"ta, contact your institution’s library or reach out to the Portage DMP C" +"oordinator at support@portagenetwor" +"k.ca." msgstr "" -"Énumérez toutes les mesures qui " -"seront prises pour éliminer le risque de divulgation d’informatio" -"n personnelle des participants à l’étude. Précisez " -"les mesures pour la sécurité des données et indiquez si c" -"ertains renseignements seront supprimés des ensembles de données" -". Si les données sont anonymisées ou dépersonnalisé" -";es, précisez les types de renseignements qui seront modifiés (p" -"ar exemple, noms, adresses, dates, lieux)." +"Les chercheurs et les artistes publient parfoi" +"s leurs données pour que d’autres puissent les utiliser. Les donn" +"ées publiées se trouvent auprès de dépôts de" +" données de recherche et d’agences gouvernementales (" +"Dépôt fédéré de données de recherche<" +"/span>, Statistique Canada). Votre établissement pourrait avoir" +" son propre dépôt. Certaines revues hébergent des donn&eac" +"ute;es publiées comme documents complémentaires à leurs a" +"rticles. Pour savoir où trouver des données publiées, con" +"tactez la bibliothèque de votre établissement ou le coordonnateu" +"r PGD de Portage à support@p" +"ortagenetwork.ca." msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include, but not be li" -"mited to personnel, storage requirements, software, or hardware." +"Non-digital data should be digitized when poss" +"ible. Digitization is needed for many reasons, including returning artwork to " +"participants, creating records of performances, and depositing data in a repos" +"itory for reuse. When planning your documentation, consider what conditions (e" +".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," +" software (e.g., video editing program), and specialized skills (e.g., filming" +" techniques, image-editing skills) you will need. High quality documentation w" +"ill make your data more valuable to you and others." msgstr "" -"Décrivez toutes les ressources financi&" -"egrave;res qui peuvent être nécessaires pour gérer correct" -"ement vos données de recherche. Celles-ci peuvent être lié" -"es au personnel, au stockage, aux logiciels, au matériel, etc." +"Il est important de numériser les donn&" +"eacute;es non numériques pour plusieurs raisons, notamment pour remettr" +"e les œuvres aux participants, consigner les performances et conserver l" +"es données dans un dépôt pour les réutiliser. En pl" +"anifiant votre documentation, pensez aux conditions (bon éclairage, att" +"énuation du bruit), au matériel (microphone, télép" +"hone intelligent), aux logiciels (programme de montage vidéo) et aux co" +"mpétences (techniques de tournage, édition d’images) n&eac" +"ute;cessaires. Avec une documentation de bonne qualité, vos donné" +";es seront plus valables aux autres." msgid "" -"Provide the name(s), affiliation(s), and conta" -"ct information for the main study contact." +"

                                                                              Open (i.e., non-proprietary) file formats a" +"re preferred when possible because they can be used by anyone, which helps ens" +"ure others can access and reuse your data in the future. However, proprietary " +"file formats may be necessary for certain arts-based methods because they have" +" special capabilities for creating and editing images, audio, video, and text." +" If you use proprietary file formats, try to select industry-standard formats " +"(i.e., those widely used by a given community) or those you can convert to ope" +"n ones. UK Data Service<" +"/a> provides a table of recommended and accept" +"able file formats for various types of data.

                                                                              \n" +"
                                                                              Original files of artwork and its docume" +"ntation should be in uncompressed file formats to maximize data quality. Lower" +" quality file formats can be exported from the originals for other purposes (e" +".g., presentations). Read more on file formats at
                                                                              UBC Library or UK Data Service." msgstr "" -"Indiquez les noms, l’affiliation et les " -"coordonnées des personnes-ressources à contacter pour l’&e" -"acute;tude" +"

                                                                              Il est préférable d’uti" +"liser des formats de fichiers ouverts (non exclusifs) parce qu’ils facil" +"itent l’accès et la réutilisation de vos données. E" +"n revanche, les formats de fichiers exclusifs sont nécessaires pour cer" +"taines méthodes basées sur les arts en raison de leurs fonctions" +" uniques pour la création et l’édition d’images, de " +"son, de vidéo et de texte. Si vous utilisez des formats de fichiers exc" +"lusifs, choisissez idéalement des formats répandus dans l’" +"industrie et la communauté, ou qui se convertissent facilement en forma" +"t ouvert. Le UK Data Service (lien en anglais) et la bibliothèque de l'U" +"Ottawa suggèrent des formats de fic" +"hiers acceptables et recommandés pour divers types de données.

                                                                              \n" +"

                                                                              Les fichiers originaux et la documentation " +"d’une œuvre ne doivent pas être compressés pour maxim" +"iser la qualité des données. Les formats de fichiers de moindre " +"qualité peuvent être exportés à partir des originau" +"x pour divers besoins (présentations). Pour plus d’information &a" +"grave; ce sujet, voir la bibliothèque de " +"l’UBC, UK Data Service (liens en anglais), ou le gouvernement du C" +"anada.

                                                                              " msgid "" -"Provide the name(s), affiliation(s), contact i" -"nformation, and responsibilities of each study team member in relation to work" -"ing with the study data. If working with institutional Information Technology " -"members, statisticians, or other stakeholders outside your immediate team, pro" -"vide their information as well." +"Good data organization includes logical folder" +" hierarchies, informative and consistent naming conventions, and clear version" +" markers for files. File names should contain information (e.g., date stamps, " +"participant codes, version numbers, location, etc.) that helps you sort and se" +"arch for files and identify the content and right versions of files. Version c" +"ontrol means tracking and organizing changes to your data by saving new versio" +"ns of files you modified and retaining the older versions. Good data organizat" +"ion practices minimize confusion when changes to data are made across time, fr" +"om different locations, and by multiple people. Read more on file naming and v" +"ersion control at UBC Library, University of Leicester," +" and UK Data Service." msgstr "" -"Indiquez les noms, l’affiliation, les co" -"ordonnées et les responsabilités de chaque membre de l’&ea" -"cute;quipe d’étude qui travaille avec les données de l&rsq" -"uo;étude. Si vous travaillez avec des membres du service informatique d" -"’une institution, des statisticiens ou d’autres intervenants en de" -"hors de votre équipe immédiate, fournissez également leur" -" information." +"Pour bien organiser les données, il est" +" important d’utiliser des structures de dossiers logiques, des rè" +"gles de nomenclature concordantes et informatives, ainsi que des balises de ve" +"rsion pour les fichiers. Ces derniers devraient contenir de l’informatio" +"n (date d’origine, codes de participants, numéros de version, emp" +"lacement, etc.) qui vous permet de trier et de rechercher des fichiers, en plu" +"s d’identifier le contenu et les bonnes versions de fichiers. Le contr&o" +"circ;le de versions est une manière de suivre et d’organiser les " +"modifications de vos données, tout en sauvegardant de nouvelles version" +"s des fichiers modifiés ou en conservant les anciennes. Les bonnes prat" +"iques pour l’organisation des données minimisent la confusion au " +"fur et à mesure que les données sont modifiées par divers" +" sites ou personnes. Pour plus d’information à ce sujet, voir la " +"bibliothèque de l&rsqu" +"o;UOttawa, Université de Leicester" +" et UK D" +"ata Service (liens en anglais)." msgid "" -"Describe the process by which new collaborator" -"s/team members will be added to the project, if applicable. Include the type(s" -") of responsibilities that may require new team members to be added during, or" -" after the project is complete." +"A poem written to analyze a transcript could b" +"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " +"the interview with participant 05. Revisions to the poem could be marked with " +"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." msgstr "" -"Décrivez le processus par lequel de nou" -"veaux collaborateurs ou membres de l’équipe seront ajoutés" -" au projet, le cas échéant. Indiquez les types de responsabilit&" -"eacute;s qui peuvent nécessiter l’ajout de nouveaux membres d&rsq" -"uo;équipe pendant ou après le projet. " +"Un poème écrit pour analyser une" +" transcription devrait être nommé AnalysisPoem_IV05_v03.doc, ce q" +"ui signifie la version 3 du poème d’analyse pour l’ent" +"revue avec le participant 05. Les révisions du poème devrai" +"ent indiquer le numéro de version _v04, _v05, etc., ou la date d’" +"origine (_20200112, _20200315)." msgid "" -"Describe the intended audience for your data. " -"" +"Project-level metadata can include basic infor" +"mation about your project (e.g., title, funder, principal investigator, etc.)," +" research design (e.g., background, research questions, aims, artists or artwo" +"rk informing your project, etc.) and methodology (e.g., description of artisti" +"c process and materials, interview guide, transcription process, etc.). Item-l" +"evel metadata should include basic information about artworks and their docume" +"ntation (e.g., creator, date, subject, copyright, file format, equipment used " +"for documentation, etc.)." msgstr "" -"Décrivez le public auquel s’adres" -"sent vos données." +"Les métadonnées d’un proje" +"t peuvent inclure de l’information générale sur celui-ci (" +"titre, bailleur de fonds, chercheur principal, etc.), le plan de recherche (co" +"ntexte, questions de recherche, objectifs, œuvres sur lesquels le projet" +" repose, etc.) et la méthodologie (description du processus artistique " +"et des matériaux, guide d’entrevue, processus de transcription, e" +"tc.) Les métadonnées sur chaque élément devraient " +"inclure de l’information générale sur les œuvres et " +"leur documentation (créateur, date, sujet, droit d’auteur, format" +" de fichier, équipement utilisé pour la documentation, etc.)." msgid "" -"Describe what data can/will be shared at the e" -"nd of the study. " +"

                                                                              Cornell University defines metadata as “documentation that describes data” " +"(see also Concordia University Library). Creating good metadata includes providing inf" +"ormation about your project as well as each item in your database, and any oth" +"er contextual information needed for you and others to interpret and reuse you" +"r data in the future. CESSDA and UK Data Service<" +"/a> provide examples of project- and item-leve" +"l metadata. Because arts-based methods tend to be customized and fluid, descri" +"bing them in your project-level metadata is important.

                                                                              " msgstr "" -"Décrivez les données qui peuvent" -" être ou seront partagées à la fin de l’étude" -". " +"

                                                                              L’I" +"NRAE définit les méta" +"données comme étant de la « documentation dé" +"crivant des données » (voir aussi la bibliothèque de l’Université Concordia; lien" +" en anglais). En créant de " +"bonnes métadonnées, vous donnez de l’information sur votre" +" projet, ainsi que chaque élément de votre base de donnée" +"s et d’autres renseignements contextuels nécessaires pour interpr" +"éter et réutiliser vos données. Le CESSDA et UK Data Service (<" +"em>liens en anglais) proposent des exemples de métadonnées sur les" +" projets et leurs divers éléments. Les méthodes bas&eacut" +"e;es sur l’art sont souvent très personnelles et fluides, donc il" +" est important de les décrire dans vos métadonnées.

                                                                              " msgid "" -"Restrictions on data may include, but are not " -"limited to, the sensitivity of the data, data being acquired under license, or" -" data being restricted under a data use agreement. Describe what restrictions " -"(if any) apply to your research data. " +"Dublin Core and DDI are two widely used general metadata standards. Disc" +"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" +" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" +"tadata standards they use." msgstr "" -"Les restrictions sur les données peuven" -"t inclure, notamment, la sensibilité des données, les donn&eacut" -"e;es acquises sous licence ou les données faisant l’objet de rest" -"rictions en vertu d’un accord d’utilisation des données. D&" -"eacute;crivez les restrictions (le cas échéant) qui s’appl" -"iquent à vos données de recherche." +"Dublin Core et DDI (liens en anglais) sont deux normes" +" de métadonnées très répandues. Les normes qu&rsqu" +"o;utilisent les musées et galeries (<" +"span style=\"font-weight: 400;\">CCO," +" VRA Core; lien en anglais) sont utiles pour décrire les éléments d’une " +"œuvre. Vous pouvez aussi explorer les dépôts de donné" +";es spécialisés dans les arts que suggère r" +"e3data.org (lien en anglais). Vous y trouverez des exemples de métadonnées utilisée" +"s." msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," -" among others." +"A metadata standard is a set of established ca" +"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" +"ne-readable, which is essential for depositing data in repositories and making" +" them easily discoverable by search engines. While no specific metadata standa" +"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" +"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" +"ntact your institution’s library or reach out to the Portage DMP Coordin" +"ator at support@portagenetwork.ca." msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager vos données. Il peut s’agir d’" -"un dépôt institutionnel, un dépôt de données exte" -"rne (lien en anglais)" -", par le biais d’une approbation de la communauté ou par l’" -"intermédiaire de votre comité d’éthique de la reche" -"rche." +"Une norme de métadonnées est un " +"ensemble de catégories établies qui servent à décr" +"ire vos données. Vos méta" +"données sont ainsi concordantes, structurées et lisibles à" +"; la machine, ce qui est essentiel pour verser des données dans un d&ea" +"cute;pôt et qu’elles soient facilement découvrable par des " +"moteurs de recherche. Il n’y a pas de norme de métadonnées" +" propre à la RBA, mais vous pouvez adopter une norme géné" +"rale ou d’un autre champ de pratique (pour plus d’information, consultez la bibliothèque de l’Université Q" +"ueen’s et le Digital Curation Centre; liens en anglais). Pour obtenir de l’aide dans le choix d&rsquo" +";une norme de métadonnées, contactez la bibliothèque de v" +"otre établissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca." msgid "" -"If your data is restricted, describe how a res" -"earcher could access that data for secondary analysis. Examples of these proce" -"dures may include completing a Research Ethics Board application, signing a da" -"ta use agreement, submitting a proposal to a community advisory board, among o" -"thers. Be as specific as possible in this section." +"One way to record metadata is to place it in a" +" separate text file (i.e., README file) that will accompany your data and to u" +"pdate it throughout your project. Cornell University provides a README file template you can " +"adapt. You can also embed item-level metadata in certain files, such as placin" +"g contextual information and participant details for an interview in a summary" +" page at the beginning of a transcript. Creating a data list, a spreadsheet th" +"at collects all your item-level metadata under key categories, will help you a" +"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." msgstr "" -"Si vos données sont protég&eacut" -"e;es, décrivez comment un chercheur pourrait y accéder pour une " -"analyse secondaire. Il peut s’agir, par exemple, de remplir une demande " -"auprès d’un comité d’éthique de la recherche," -" de signer un accord d’utilisation des données, de soumettre une " -"proposition à un conseil consultatif communautaire, entre autres. Soyez" -" aussi précis que possible dans cette section." +"Pour enregistrer des métadonnées" +", vous pouvez inclure avec vos données un fichier texte distinct (fichi" +"er README) que vous modifiez tout au long du projet. L’UBC" +" propose un modèle de fichier README qui est personnalisable. Il e" +"st aussi possible d’intégrer dans certains fichiers des mé" +"tadonnées sur les éléments, notamment avec de l’inf" +"ormation contextuelle et des détails sur les participants à la p" +"age sommaire et au début d’une transcription. En créant un" +"e liste de données, une feuille de calcul qui rassemble toutes vos m&ea" +"cute;tadonnées sur les éléments dans des catégorie" +"s clés, il est plus facile pour vous et autrui de repérer les &e" +"acute;léments, leurs particularités, ainsi que les tendances qui" +" se recoupent. Le UK Data " +"Service (lien en anglais) " +"offre une liste modèle de données qui est personnalisable." msgid "" -"Select a license that best suits the parameter" -"s of how you would like to share your data, and how you would prefer to be cre" -"dited. See this resource to help you decide: https://creativecommons.or" -"g/choose/." -msgstr "" -"Choisissez une licence qui correspond le mieux" -" à la manière dont vous souhaitez partager vos données et" -" dont vous préférez être crédité. Consultez " -"cette ressource pour vous aider à prendre une décision : https://creativecom" -"mons.org/choose/?lang=fr." - -msgid "" -"Describe the software/technology being develop" -"ed for this study, including its intended purpose." -msgstr "" -"Décrivez le logiciel ou la technologie " -"développé(e) pour cette étude, y compris son objectif." - -msgid "" -"Describe the underlying approach you will take" -" to the development and testing of the software/technology. Examples may inclu" -"de existing frameworks like the systems development life cycle, or user-centred design framework. If you intend to " -"develop your own approach, describe that approach here. " +"Creating metadata should not be left to the en" +"d of your project. A plan that lays out how, when, where, and by whom metadata" +" will be captured during your project will help ensure your metadata is accura" +"te, consistent, and complete. You can draw metadata from files you have alread" +"y created or will create for your project (e.g., proposals, notebooks, intervi" +"ew guides, file properties of digital images). If your arts-based methods shif" +"t during your project, make sure to record these changes in your metadata. The" +" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" +"on markers)." msgstr "" -"Décrivez l’approche sous-jacente " -"que vous adopterez pour le développement et les tests du logiciel ou de" -" la technologie. Il peut s’agir par exemple de cadres existants tels que" -" le cycle de vie de développement de " -"systèmes ou le cadre de conc" -"eption centrée sur l’utilisateur. Si vous avez l’intention " -"de développer votre propre approche, décrivez cette approche ici" -". " +"N’attendez pas à la fin de votre " +"projet pour créer des métadonnées. Pour avoir des m&eacut" +"e;tadonnées précises, concordantes et complètes, é" +"laborez un plan qui décrit comment, quand, où et par qui les m&e" +"acute;tadonnées seront enregistrées pendant le projet. Vous pouv" +"ez extraire des métadonnées de fichiers que vous avez déj" +"à créés ou que vous comptez créer pour votre proje" +"t (propositions, carnets de note, guides d’entrevue, droit de propri&eac" +"ute;té des fichiers ou images numériques). Si vos méthode" +"s basées sur l’art changent en cours de route, n’oubliez pa" +"s de noter ces changements dans vos métadonnées. Les pratiques p" +"our l’organisation des données servent également à " +"l’organisation des métadonnées (conventions de nomenclature cohérentes, balises et version" +"s de fichier)." msgid "" -"If you are using open source or existing softw" -"are/technology code to develop your own program, provide a citation of that so" -"ftware/technology if applicable. If a citation is unavailable, indicate the na" -"me of the software/technology, its purpose, and the software/technology licens" -"e. " +"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" +"tc., and for how long this storage will need to be active. Take into account f" +"ile size, file versions, backups, and the growth of your data, if you will cre" +"ate and/or collect data over several months or years." msgstr "" -"Si vous utilisez un code source ouvert ou un l" -"ogiciel ou une technologie existant(e) pour développer votre propre pro" -"gramme, veuillez fournir une citation de ce logiciel ou cette technologie, le " -"cas échéant. Si aucune citation n’est disponible, indiquez" -" le nom du logiciel ou de la technologie, son objectif et la licence du logici" -"el ou de la technologie. " +"Estimez l’espace de stockage qu’il" +" vous faudra en mégaoctets, gigaoctets ou téraoctets, ainsi que " +"la durée de stockage actif nécessaire. Tenez compte de la taille" +" de fichier, des versions de fichier, des sauvegardes et de la croissance de v" +"os données. Il est aussi important de déterminer si vous voulez " +"créer ou recueillir des données pendant plusieurs mois ou ann&ea" +"cute;es. " msgid "" -"Describe the methodology that will be used to " -"run and test the software/technology during the study. This may include: beta " -"testing measures, planned release dates, and maintenance of the software/techn" -"ology." +"

                                                                              Digital data can be stored on optical or ma" +"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" +"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" +"). Each storage method has pros and cons you should consider. Having multiple " +"copies of your data and not storing them all in the same physical location red" +"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" +" three copies of your data; store the copies on two different media; keep one " +"backup copy offsite. A regular backup schedule reduces the risk of losing rece" +"nt versions of your data. 

                                                                              \n" +"Securely accessible servers or cloud-based env" +"ironments with regular backup processes are recommended for your offsite backu" +"p copy; however, you should know about the consequences of storing your data o" +"utside of Canada, especially in relation to privacy. Data stored in different " +"countries is subject to their laws, which may differ from those in Canada. Ens" +"ure your data storage and backup methods align with any requirements of your f" +"under, institution, and research ethics office. Read more on storage and backu" +"p practices at the U" +"niversity of Sheffield Library and UK Data Service" msgstr "" -"Décrivez la méthodologie qui ser" -"a utilisée pour exécuter et tester le logiciel ou la technologie" -" pendant l’étude. Cela peut comprendre : les mesures de test" -" bêta, les dates de lancement prévues et la maintenance du logici" -"el ou de la technologie." +"

                                                                              Les données numériques peuven" +"t être stockées sur des supports optiques ou magnétiques a" +"movibles (DVD, clés USB), fixes (disques durs d’ordinateur) ou co" +"nnectés en réseau (lecteurs réseau, serveurs en ligne). C" +"haque méthode de stockage comporte des avantages et des inconvén" +"ients. Avec plusieurs copies de vos données qui sont stockées &a" +"grave; divers endroits, vous risquez moins de les perdre. Suivez la règ" +"le du 3-2-1 pour la sauvegarde : avoir au moins trois copies de donn&eacu" +"te;es ; stocker les données sur deux supports différents&" +"thinsp;; garder une copie de sauvegarde dans un endroit externe. Planifier la " +"sauvegarde réduit également le risque de perdre les versions de " +"vos données. 

                                                                              Le" +"s serveurs accessibles de façon sécuritaire ou les environnement" +"s en ligne (avec un processus de sauvegarde régulière) sont reco" +"mmandés pour les copies de sauvegarde externes. En revanche, il est imp" +"ortant de comprendre les conséquences de stocker vos données &ag" +"rave; l’extérieur du Canada, surtout en ce qui concerne la protec" +"tion de la vie privée. Les données sont soumises aux disposition" +"s législatives des pays où elles sont stockées, qui ne so" +"nt pas forcément les mêmes que celles du Canada. Choisissez des m" +"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" +"u bailleur de fonds, de l’établissement et du bureau d’&eac" +"ute;thique de la recherche. Pour plus d’information à ce sujet, c" +"onsultez la <" +"span style=\"font-weight: 400;\">bibliothèque de l’Université" +"; Sheffield et UK Data Service (liens en anglais).

                                                                              " msgid "" -"Describe the disability and accessibility guid" -"elines you will follow to ensure your software/technology is adaptable and usa" -"ble to persons with disabilities or accessibility issues. " +"Many universities offer networked file storage" +" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" +"utions a modest amount of storage and other cloud resources for free. Contact " +"your institution’s IT services to find out what secure data storage serv" +"ices are available to you." msgstr "" -"Décrivez les directives en matiè" -"re de handicap et d’accessibilité que vous suivrez pour vous assu" -"rer que votre logiciel ou technologie est adaptable et utilisable par les pers" -"onnes handicapées ou pour des questions d’accessibilité." +"Plusieurs universités offrent un servic" +"e de stockage de fichiers en réseau avec sauvegarde automatique. Le " +"Service d’accès rapide de calcul Canada offre aux chercheurs principaux d’établissement" +"s postsecondaires une petite quantité de stockage et d’autres res" +"sources en ligne gratuitement. Pour en apprendre plus sur les services de stoc" +"kage sécurisés, contactez la bibliothèque ou le service i" +"nformatique de votre établissement." msgid "" -"Describe the requirements needed to support th" -"e software/technology used in the study. This may include: types of operating " -"systems, type of server required, infrastructure necessary to run the program " -"(e.g., SQL database), and the types of devices this software/technology can be" -" used with (e.g., web, mobile)." +"Describe how you will store your non-digital d" +"ata and what you will need to do so (e.g., physical space, equipment, special " +"conditions). Include where you will store these data and for how long. Ensure " +"your storage methods for non-digital data align with any requirements of your " +"funder, institution, and research ethics office." msgstr "" -"Décrivez les exigences nécessair" -"es pour soutenir le logiciel ou la technologie utilisés dans l’&e" -"acute;tude. Cela peut comprendre : les types de systèmes d’e" -"xploitation, le type de serveur requis, l’infrastructure nécessai" -"re pour exécuter le programme (par exemple, base de données SQL)" -", et les types d’appareils avec lesquels ce logiciel ou cette technologi" -"e peut être utilisé (par exemple, web, mobile)." +"Décrivez les mesures nécessaires" +" à prendre pour stocker vos données non numériques (espac" +"e physique, équipement, conditions spéciales). Précisez l" +"’endroit et la durée du stockage des données. Suivez des m" +"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" +"u bailleur de fonds, de l’établissement et du bureau d’&eac" +"ute;thique de la recherche." msgid "" -"Consider what information might be useful to a" -"ccompany your software/technology if you were to share it with someone else. E" -"xamples may include documented code, user testing procedures, etc. This guide " -"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." +"

                                                                              Research team members, other collaborators," +" participants, and independent contractors (e.g., transcriptionists, videograp" +"hers) are examples of individuals who can transfer, access, and modify data in" +" your project, often from different locations. Ideally, a strategy for these a" +"ctivities facilitates cooperation, ensures data security, and can be adopted w" +"ith minimal instructions or training. If applicable, your strategy should addr" +"ess how raw data from portable recording devices will be transferred to your p" +"roject database (e.g., uploading raw video data within 48 hours, then erasing " +"the camera).

                                                                              \n" +"

                                                                              Relying on email to transfer data is not a " +"robust or secure solution, especially for exchanging large files or artwork, t" +"ranscripts, and other data with sensitive information. Third-party commercial " +"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" +"ls, but may not be permanent or secure, and are often located outside Canada. " +"Contact your librarian and IT services to develop a solution for your project." +"

                                                                              " msgstr "" -"Réfléchissez à l’in" -"formation qui pourrait être utile pour accompagner votre logiciel ou tec" -"hnologie si vous deviez la partager avec quelqu’un d’autre. Il peu" -"t s’agir, par exemple, de code documenté, de procédures de" -" test utilisateur, etc. Ce guide propose des étapes simples pour am&eac" -"ute;liorer la transparence des logiciels ouverts (Prlic & Proctor, 2012; lien en anglais)." +"

                                                                              Les membres de l’équipe de rec" +"herche, autres collaborateurs, participants et travailleurs autonomes (transcr" +"ipteurs, vidéographes) participent au transfert, à l’acc&e" +"grave;s et à la modification des données de projet, souvent &agr" +"ave; partir de divers endroits. Les stratégies qui encadrent ces activi" +"tés doivent faciliter la coopération et préserver la s&ea" +"cute;curité des données. On doit aussi pouvoir les mettre en &oe" +"lig;uvre avec un minimum de directives ou de formation. Votre stratégie" +" devrait indiquer comment les données brutes des appareils d’enre" +"gistrement portatifs sont transférées à la base de donn&e" +"acute;es de votre projet (données vidéo brutes télé" +";chargées en 48 heures, puis effacées de la caméra)," +" le cas échéant.

                                                                              \n" +"

                                                                              Le transfert de données par courrier" +" électronique n’est pas une solution robuste ou sécuritair" +"e, surtout pour l’échange de fichiers volumineux ou d’&oeli" +"g;uvres, transcriptions et autres données sensibles. Les services de pa" +"rtage de fichier commerciaux qui sont exploités par des tiers (Google D" +"rive, Dropbox) sont pratiques, mais ils ne sont pas forcément permanent" +"s ou sécuritaires, en plus d’être situés en dehors d" +"u Canada dans de nombreux cas. Contactez le bibliothécaire en chef de v" +"otre établissement et les services de TI afin de trouver une solution p" +"our votre projet.

                                                                              " msgid "" -"Consider the software/technology development p" -"hase and indicate any instructions that will accompany the program. Examples m" -"ight include test-first development procedures, user acceptance testing measur" -"es, etc." +"

                                                                              Preservation means storing data in ways tha" +"t make them accessible and reuseable to you and others long after your project" +" ends (for more, see Ghent " +"University). Many factors inform pr" +"eservation, including policies of funding agencies and academic publishers, an" +" understanding of the enduring value of a dataset, and ethical frameworks info" +"rming a project (e.g., making artwork co-created with community members access" +"ible to their community). 

                                                                              \n" +"Creating a “living will” for your " +"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" +"ing how future researchers, artists, and others will be able to access and reu" +"se your data. If applicable, consider the needs of participants and collaborat" +"ors who will co-create and/or co-own artwork and other data. Your “livin" +"g will” can address where you will store your data, how they will be acc" +"essed, how long they will be accessible for, and how much digital storage spac" +"e you will need." msgstr "" -"Considérez la phase de développe" -"ment du logiciel ou de la technologie et indiquez les instructions qui accompa" -"gneront le programme. Il peut s’agir, par exemple, de procédures " -"de développement avec test préalable, de mesures de test d&rsquo" -";acceptation par l’utilisateur, etc." +"

                                                                              La préservation signifie de stocker " +"des données pour qu’elles soient accessibles et réutilisab" +"les pour vous et autrui bien après votre projet (pour plus d’info" +"rmation à ce sujet, voir l’Université G" +"hent; lien en anglais). Elle d&ea" +"cute;pend de plusieurs facteurs, dont les politiques des agences de financemen" +"t et des éditeurs de publications savantes. Il faut également co" +"nsidérer la valeur à long terme des ensembles de données," +" ainsi que les cadres éthiques d’un projet (par exemple, une comm" +"unauté qui a participé à la création d’une &" +"oelig;uvre doit pouvoir y accéder). 

                                                                              \n" +"

                                                                              En rédigeant un « testa" +"ment de vie » pour vos données, vous définissez vos" +" besoins de préservation en fonction des données ou d’autr" +"es facteurs. Il s’agit d’un plan pour décrire comment les c" +"hercheurs, artistes et autres intervenants pourront accéder à vo" +"s données ou les réutiliser. Le cas échéant, pense" +"z aux besoins des participants et aux collaborateurs qui participent à " +"la création ou qui sont en partie propriétaires de l’&oeli" +"g;uvre et des données. Votre « testament de vie &ra" +"quo; définit où vous stockez vos données, la métho" +"de et durée de l’accès, ainsi que l’espace de stocka" +"ge nécessaire.

                                                                              " msgid "" -"Include information about any programs or step" -"s you will use to track the changes made to program source code. Examples migh" -"t include utilizing source control systems such as Git or Subversion to trac" -"k changes and manage library dependencies." +"Deposit in a data repository is one way to pre" +"serve your data, but keep in mind that not all repositories have a preservatio" +"n mandate. Many repositories focus on sharing data, not preserving them, meani" +"ng they will store and make your data accessible for a few years, but not long" +" term. It can be difficult to distinguish repositories with preservation servi" +"ces from those without, so carefully read the policies of repositories you are" +" considering for preservation and, if possible, before your project begins. If" +" you need or want to place special conditions on your data, check if the repos" +"itory will accommodate them and, if so, get written confirmation. Read more on" +" choosing a repository at OpenAIRE." msgstr "" -"Incluez de l’information sur tous les pr" -"ogrammes ou étapes que vous utiliserez pour suivre les modifications ap" -"portées au code source du programme. Par exemple, vous pouvez utiliser " -"des systèmes de contrôle des sources tels que Git ou Subversion (liens en anglais)
                                                                              pour suivr" -"e les changements et gérer les dépendances des bibliothèq" -"ues." +"Les dépôts de données sont" +" une solution de préservation, mais n’oubliez pas qu’ils n&" +"rsquo;ont pas tous le même mandat à cet égard. Plusieurs d" +"épôts sont conçus pour le partage de données et non" +" la préservation. Par conséquent, vos données y sont acce" +"ssibles pendant quelques années, mais elles ne le sont pas à lon" +"g terme. Il est parfois difficile de savoir si un dépôt offre des" +" services de préservation, donc il est important de lire les politiques" +" à ce sujet, idéalement avant de commencer votre projet. Si vous" +" voulez des conditions particulières pour vos données, vous deve" +"z d’abord vous renseigner pour déterminer si le dépô" +"t peut y répondre. Le cas échéant, demandez une confirmat" +"ion écrite. Pour plus d’information à ce sujet, consultez " +"OpenAIRE (lien en anglais)." msgid "" -"Describe any plans to continue maintaining sof" -"tware/technology after project completion. Use this section to either describe" -" the ongoing support model, the intention to engage with industry, or plan to " -"apply for future funding." +"

                                                                              Data repositories labelled as “truste" +"d” or “trustworthy” indicate they have met high standards fo" +"r receiving, storing, accessing, and preserving data through an external certi" +"fication process. Two certifications are Trustworthy Digital Repository an" +"d CoreTrustSeal

                                                                              " +" \n" +"A repository that lacks certification may stil" +"l be a valid preservation option. Many established repositories in Canada have" +" not gone through a certification process yet. For repositories without certif" +"ication, you can evaluate their quality by comparing their policies to the sta" +"ndards of a certification. Read more on trusted data repositories at the University" +" of Edinburgh and OpenAIRE." msgstr "" -"Décrivez tout plan visant à pour" -"suivre la maintenance des logiciels et des technologies après l’a" -"chèvement du projet. Utilisez cette section pour décrire le mod&" -"egrave;le de soutien continu, l’intention de s’engager avec l&rsqu" -"o;industrie ou le plan pour demander un financement futur." +"

                                                                              Pour obtenir la désignation de &laqu" +"o; fiable », les dépôts doivent suivre un pro" +"cessus d’homologation externe pour démontrer qu’ils r&eacut" +"e;pondent à de strictes normes en matière de réception, s" +"tockage, accès et préservation. Il existe deux types de certific" +"ation : Dépôt<" +"/a> numérique fiable et CoreTrustSeal (liens en anglais)" +".

                                                                              Sans nécessairement avoir" +" l’une ou l’autre de celles-ci, certains dépôts sont " +"néanmoins une option de préservation valable. Plusieurs dé" +";pôts reconnus au Canada n’ont pas encore suivi ce processus d&rsq" +"uo;homologation. Le cas échéant, évaluez la qualité" +"; de ces dépôts en comparant leurs politiques aux normes de certi" +"fication. Pour plus d’information à ce sujet, consultez l’<" +"/span>Université d’Edinburgh et OpenAIRE " +"(liens en anglais).

                                                                              " msgid "" -"Include information about how the software/tec" -"hnology will remain secure over time. Elaborate on any encryption measures or " -"monitoring that will take place while maintaining the software/technology. " +"Open file formats are considered preservation-" +"friendly because of their accessibility. Proprietary file formats are not opti" +"mal for preservation because they can have accessibility barriers (e.g., needi" +"ng specialized licensed software to open). Keep in mind that preservation-frie" +"ndly files converted from one format to another may lose information (e.g., co" +"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" +"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." msgstr "" -"Incluez de l’information sur la mani&egr" -"ave;re dont le logiciel ou la technologie restera sécurisé au fi" -"l du temps. Précisez les mesures de cryptage ou de surveillance qui ser" -"ont prises pendant la maintenance du logiciel ou de la technologie. " +"Les formats de fichiers ouverts sont adapt&eac" +"ute;s à la préservation parce qu’ils sont accessibles. Les" +" formats exclusifs sont moins recommandés parce que l’accè" +"s est parfois limité (il faut par exemple un logiciel sous licence pour" +" ouvrir le fichier). N’oubliez pas que certaines informations peuvent se" +" perdre en convertissant un fichier d’un format à l’autre (" +"convertir par exemple un fichier TIFF non compressé en fichier JPG comp" +"ressé), donc il faut documenter et vérifier tous les changements" +" de format. Voir le UK Data Ser" +"vice (lien en anglais) ou " +"la bibliothèque de l&r" +"squo;UOttawa pour une liste de formats adaptés à la pr&eacut" +"e;servation." msgid "" -"List the copyright holder of the software/tech" -"nology. See the Copyri" -"ght Guide for Scientific Software f" -"or reference." +"Converting to preservation-friendly file forma" +"ts, checking for unintended changes to files, confirming metadata is complete," +" and gathering supporting documents are practices, among others, that will hel" +"p ensure your data are ready for preservation." msgstr "" -"Listez les détenteurs des droits d&rsqu" -"o;auteur sur le logiciel ou la technologie. Consultez le Guide sur le droit d’auteur pour les " -"logiciels scientifiques (lien en anglais; ou ce guide su" -"r les droits d’auteur). " +"Pour savoir si votre préservation est p" +"rête, vous devez déterminer si les formats de fichier sont adapt&" +"eacute;s, vérifier s’il y a eu des changements imprévus au" +"x fichiers, confirmer que vos métadonnées sont prêtes et r" +"assembler les documents à l’appui." msgid "" -"Describe the license chosen for the software/t" -"echnology and its intended use. See list of license options here. " +"Sometimes non-digital data cannot be digitized" +" or practical limitations (e.g., cost) prevent them from being digitized. If y" +"ou want others to access and reuse your non-digital data, consider where they " +"will be stored, how they will be accessed, and how long they will be accessibl" +"e for. Sometimes, you can deposit your data in an archive, which will take res" +"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" +"er community centre) take responsibility for preservation, describe how your n" +"on-digital data will be protected from physical deterioration over time. Make " +"sure to incorporate non-digital data into the “living will” for yo" +"ur data. Contact the archives at your institution for help developing a preser" +"vation strategy for non-digital data. Read more on preserving non-digital data" +" at Radboud University." msgstr "" -"Décrivez la licence choisie pour le log" -"iciel ou la technologie et son utilisation prévue. Consultez la liste d" -"es options de licence ici (" -"lien en anglais). " +"Il est parfois impossible de numériser " +"certaines données, notamment pour des raisons pratiques (coût par" +" exemple). Si vous désirez que vos données non numériques" +" soient accessibles et réutilisables, pensez au lieu où elles se" +"ront stockées, au type et à la durée de l’acc&egrav" +"e;s. Vous pourriez déposer vos données dans une archive, dont le" +"s responsables se chargeront de la préservation et de l’acc&egrav" +"e;s. En dehors des archives, les intervenants (par exemple vous-même ou " +"un centre communautaire partenaire) doivent gérer la préservatio" +"n et décrire comment protéger les données numériqu" +"es contre la détérioration physique au fil du temps. N’oub" +"liez pas d’inclure un « testament de vie » ave" +"c vos données. Si vous désirez de l’aide pour défin" +"ir une stratégie de préservation pour vos données non num" +"ériques, contactez la bibliothèque ou les archives de votre &eac" +"ute;tablissement. Pour plus d’information à ce sujet, consultez l" +"’Université Radboud (lien en anglais)." msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the software/technology. If working with developers, computer scientists" -", or programmers outside your immediate team, provide their information as wel" -"l." +"Certain data may not have long-term value, may" +" be too sensitive for preservation, or must be destroyed due to data agreement" +"s. Deleting files from your computer is not a secure method of data disposal. " +"Contact your IT services, research ethics office, and/or privacy office to fin" +"d out how you can securely destroy your data. Read more on secure data disposa" +"l at UK Data Service." msgstr "" -"Indiquez le nom, l’affiliation, les coor" -"données et les responsabilités de chaque membre de l’&eacu" -"te;quipe d’étude en relation avec le travail avec le logiciel ou " -"la technologie. Si vous travaillez avec des développeurs, des informati" -"ciens ou des programmeurs en dehors de votre équipe immédiate, f" -"ournissez également leur information." +"Certaines données n’ont pas de va" +"leur à long terme, sont trop sensibles pour être préserv&e" +"acute;es ou doivent être détruites en vertu de divers accords. Ce" +" n’est pas sécuritaire de détruire des données en s" +"upprimant tout simplement des fichiers de votre ordinateur. Si vous voulez sav" +"oir comment procéder, contactez la bibliothèque ou les services " +"informatiques de votre établissement. Vous pouvez également fair" +"e appel au bureau d’éthique de la recherche ou au bureau de la pr" +"otection des renseignements personnels. Pour plus d’information à" +" ce sujet, consultez le UK Data Service (lien en anglais)." msgid "" -"Indicate the steps that are required to formal" -"ly approve a release of software/technology. " -msgstr "" -"Indiquez les étapes nécessaires " -"à l’approbation officielle d’une version de logiciel ou tec" -"hnologie." +"

                                                                              Your shared data can be in different forms:" +"

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Raw data are the original, unaltered data obtained directly from data collect" +"ion methods (e.g., image files from cameras, audio files from digital recorder" +"s). In the context of your project, published data you reuse count as raw data" +".
                                                                              • \n" +"
                                                                              • Processed data are raw data that have been modified to, for example, prepare " +"for analysis (e.g., removing video that will not be analyzed) or de-identify p" +"articipants (e.g., blurring faces, cropping, changing voices). 
                                                                              • \n" +"
                                                                              • Analyzed data are the results of arts-based, qualitative, or quantitative ana" +"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" +"ams, graphs, charts, and statistical tables.
                                                                              • \n" +"
                                                                              • Final data are copies of " +"raw, processed, or analyzed data you are no longer working with. These copies " +"may have been migrated or transformed from their original file formats into pr" +"eservation-friendly formats.
                                                                              • \n" +"
                                                                              " +msgstr "" +"

                                                                              Vous pouvez partager plusieurs formes de do" +"nnées :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Données brutes ou données originales, qui sont intactes et prov" +"iennent directement des méthodes du processus de cueillette (fichiers d" +"’image sur des caméras, fichiers audio d’enregistreurs num&" +"eacute;riques). Dans le contexte de votre projet, les données publi&eac" +"ute;es que vous réutilisez sont considérées comme é" +";tant brutes.
                                                                              • \n" +"
                                                                              • Données traitées<" +"span style=\"font-weight: 400;\"> ou données brutes qui ont ét&eac" +"ute; modifiées, pour préparer une analyse par exemple (retirer d" +"es vidéos qui ne seront pas analysées) ou pour préserver " +"l’anonymat des participants (rendre les visages flous, recadrer ou chang" +"er les voix). 
                                                                              • \n" +"
                                                                              • Données analysées" +" ou résultats d’une analyse bas&e" +"acute;e sur les arts, analyses quantitatives ou qualitatives de données" +" traitées, ce qui inclut les œuvres, manuels de code, thèm" +"es, textes, diagrammes, graphiques, tableaux et tables statistiques. \n" +"
                                                                              • Données finales ou copie" +"s de données brutes, traitées ou analysées sur lesquelles" +" vous ne travaillerez plus. Ces copies peuvent avoir été transfo" +"rmées ou avoir migré du format de fichier original vers un fichi" +"er adapté à la préservation.
                                                                              • \n" +"
                                                                              " msgid "" -"Describe who the intended users are of the sof" -"tware/technology being developed. " +"Sharing means making your data available to pe" +"ople outside your project (for more, see Ghent University and Iowa State University)." +" Of all the types of data you will create and/or collect (e.g., artwork, field" +" notes), consider which ones you need to share to fulfill institutional or fun" +"ding policies, the ethical framework of your project, and other requirements a" +"nd considerations. You generally need participant consent to share data, and y" +"our consent form should state how your data will be shared, accessed, and reus" +"ed." msgstr "" -"Décrivez qui sont les utilisateurs pr&e" -"acute;vus du logiciel ou de la technologie en cours de développement. <" -"/span>" +"Le partage signifie de rendre vos donné" +"es accessibles aux intervenants externes (voir l’Université" +"; Ghent et Univers" +"ité Iowa State; liens en anglais). Parmi tous les types de données que vous recueillez ou " +"créez (œuvres, notes d’observation), pensez à celles" +" que vous devrez partager conformément aux politiques institutionnelles" +" ou financières, au cadre éthique de votre projet et autres exig" +"ences. Il faut habituellement obtenir le consentement des participants pour le" +" partage de données. Votre formulaire de consentement doit donc d&eacut" +"e;finir le type de partage, d’accès et de réutilisation." msgid "" -"Describe the specific elements of the software" -"/technology that will be made available at the completion of the study. If the" -" underlying code will also be shared, please specify. " +"Describe which forms of data (e.g., raw, proce" +"ssed) you will share with restricted access due to confidentiality, privacy, i" +"ntellectual property, and other legal or ethical considerations and requiremen" +"ts. Remember to inform participants of any restrictions you will implement to " +"protect their privacy and to state them on your consent form. Read more on res" +"tricted access at University of Yo" +"rk." msgstr "" -"Décrivez les éléments sp&" -"eacute;cifiques du logiciel ou de la technologie partagés à l&rs" -"quo;issue de l’étude. Veuillez préciser si le code sous-ja" -"cent sera également partagé. " +"Décrivez les types de données (b" +"rutes, traitées) qui seront partagées avec un accès restr" +"eint pour des raisons de confidentialité, protection de la vie priv&eac" +"ute;e, propriété intellectuelle ou autres exigences juridiques o" +"u éthiques. N’oubliez pas d’informer les participants des r" +"estrictions que vous établirez pour protéger leur vie priv&eacut" +"e;e. Précisez ces restrictions sur le formulaire de consentement. Pour " +"plus d’information à ce sujet, consultez l’Université de York (lien en " +"anglais)." msgid "" -"Describe any restrictions that may prohibit th" -"e release of software/technology. Examples may include commercial restrictions" -", patent restrictions, or intellectual property rules under the umbrella of an" -" academic institution." +"

                                                                              List the owners of the data in your project" +" (i.e., those who hold the intellectual property rights), such as you, collabo" +"rators, participants, and the owners of published data you will reuse. Conside" +"r how ownership will affect the sharing and reuse of data in your project. For" +" example, existing licenses attached to copyrighted materials that you, collab" +"orators, or participants incorporate into new artwork may prevent its sharing " +"or allow it with conditions, like creator attribution, non-commercial use, and" +" restricted access.

                                                                              " msgstr "" -"Décrivez toutes les restrictions suscep" -"tibles d’interdire la diffusion du logiciel ou de la technologie. Il peu" -"t s’agir, par exemple, de restrictions commerciales, de restrictions en " -"matière de brevets ou de règles de propriété intel" -"lectuelle sous l’égide d’un établissement universita" -"ire." +"

                                                                              Faites une liste des propriétaires d" +"es données de votre projet (détenteurs des droits de propri&eacu" +"te;té intellectuelle) : vous-même, les collaborateurs, les p" +"articipants ou les propriétaires des données que vous réu" +"tilisez. Évaluez l’impact du droit de propriété sur" +" le partage et la réutilisation des données de votre projet. Si " +"des collaborateurs, des participants ou vous intégrez des documents pro" +"tégés par le droit d’auteur dans une nouvelle œuvre," +" vous ne pouvez pas forcément la partager ou devez respecter certaines " +"conditions pour les partager (attribution du droit aux créateurs, utili" +"sation non commerciale et accès restreint), en vertu des licences qui s" +"e rattachent à ces documents.

                                                                              " msgid "" -"Provide the location of where you intend to sh" -"are your software/technology (e.g., app store, lab website, an industry partne" -"r). If planning to share underlying code, please indicate where that may be av" -"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." +"Several types of standard licenses are availab" +"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" +"andard license rather than a custom-made one. If you make your data part of th" +"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" +" Curation Centre. " msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager votre logiciel ou technologie (par exemple, l&rsq" -"uo;App Store, le site web du laboratoire, un partenaire industriel). Si vous p" -"révoyez de partager le code sous-jacent, veuillez également indi" -"quer l’endroit où il pourrait être disponible. Envisagez d&" -"rsquo;utiliser un outil tel que GitHub (" -"lien en anglais) pour rendre votre code accessible et récupé" -";rable." +"Les chercheurs ont accès à diver" +"ses licences types, notamment les licences Creative Commons et les licenses Open Data Com" +"mons (lien en anglais). Da" +"ns la plupart des cas, il est plus simple d’utiliser une licence type qu" +"e sa propre licence personnalisée. Si vous comptez rendre vos donn&eacu" +"te;es publiques, vous devriez le préciser en utilisant une licence comm" +"e <" +"span style=\"font-weight: 400;\">Creative Commons CC0
                                                                              . Pour plus d’information à ce sujet, consul" +"tez le Digital Curation Centre (" +"lien en anglais). " msgid "" -"Please describe the types of data you will gat" -"her across all phases of your study. Examples may include, but are not limited" -" to data collected from surveys, interviews, personas or user stories, images," -" user testing, usage data, audio/video recordings, etc." +"Include a copy of your end-user license here. " +"Licenses set out how others can use your data. Funding agencies and/or data re" +"positories may have end-user license requirements in place; if not, they may b" +"e able to guide you in developing a license. Only the intellectual property ri" +"ghts holder(s) of the data you want to share can issue a license, so it is cru" +"cial to clarify who holds those rights. Make sure the terms of use of your end" +"-user license fulfill any legal and ethical obligations you have (e.g., consen" +"t forms, copyright, data sharing agreements, etc.)." msgstr "" -"Veuillez décrire les types de donn&eacu" -"te;es que vous allez recueillir à toutes les étapes de votre &ea" -"cute;tude. Il peut s’agir, par exemple, de données recueillies da" -"ns le cadre d’enquêtes, d’entretiens, de personas ou d&rsquo" -";histoires d’utilisateurs, d’images, de tests d’utilisateurs" -", de données d’utilisation, d’enregistrements audio/vid&eac" -"ute;o, etc." +"Il faut inclure une copie de votre licence d&r" +"squo;utilisateur. Celle-ci définit comment les autres individus peuvent" +" utiliser vos données. Les agences de financement et les dép&oci" +"rc;ts de données ont parfois des exigences relatives aux licences d&rsq" +"uo;utilisateur. Si ce n’est pas le cas, ils pourraient vous aider &agrav" +"e; concevoir une licence. Seuls les détenteurs du droit de propri&eacut" +"e;té intellectuelle des données que vous voulez partager peuvent" +" émettre une licence. Il est donc très important de déter" +"miner à qui appartient ce droit. Les conditions d’utilisation de " +"votre licence d’utilisateur doivent être conformes à vos ob" +"ligations éthiques et juridiques (formulaires de consentement, droit d&" +"rsquo;auteur, ententes de partage de données, etc.)." msgid "" -"If you will be combining original research dat" -"a with existing licensed, restricted, or previously used research data, descri" -"be those data here. Provide the name, location, and date of the dataset(s) use" -"d. " +"Many Canadian postsecondary institutions use D" +"ataverse, a popular data repository platform for survey data and qualitative t" +"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" +"s, built-in data citations, file versioning, customized terms of use, and assi" +"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" +" identifier that provides a stable link to your data. Try to choose repositori" +"es that assign persistent identifiers. Contact your institution’s librar" +"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" +"ble to you, or for help locating another repository that meets your needs. You" +" can also check out re3data.org, a dire" +"ctory of data repositories that includes arts-specific ones.
                                                                              " msgstr "" -"Si vous allez combiner des données de r" -"echerche originales avec des données de recherche existantes sous licen" -"ce, restreintes ou déjà utilisées, décrivez ces do" -"nnées ici. Indiquez le nom, le lieu et la date des ensembles de donn&ea" -"cute;es utilisés. " +"Plusieurs établissements postsecondaire" +"s canadiens utilisent Dataverse, qui est une plateforme de dépôt " +"répandue pour les données d’enquête et les donn&eacu" +"te;es qualitatives sous forme de texte (pour plus d’information, voir Scholars Portal). Cette " +"plateforme offre plusieurs possibilités, dont l’accès ouve" +"rt et l’accès restreint, les citations de données int&eacu" +"te;grées, le suivi des versions de fichier, des conditions d’util" +"isation personnalisées et l’attribution d’un identificateur" +" d’objet numérique (DOI) aux ensembles de données. Un DOI est un i" +"dentifiant permanent unique, qui donne un lien stable vers vos données." +" Par conséquent, il est préférable de choisir des d&eacut" +"e;pôts qui en attribuent. Contactez la bibliothèque de votre &eac" +"ute;tablissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca pour savoir si vous avez accès à Dataverse" +". Vous pourriez autrement trouver avec leur aide un autre dépôt q" +"ui répond à vos besoins. Consultez aussi le re3data.org (" +"lien en anglais), qui est un ré" +";pertoire de dépôts de données, notamment adapté au" +" domaine des arts." msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, assessment scales, or persona guides. If us" -"ing a pre-existing instrument or scale from another study, provide the citatio" -"n(s) in this section." +"

                                                                              Researchers can find data through data repo" +"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" +"r data through a data repository is recommended because it enhances the discov" +"erability of your data in the research community. You can also cite your depos" +"ited data the same way you would cite a publication, by including a link in th" +"e citation. Read more on data citation at UK Data Service<" +"/span> and Digi" +"tal Curation Centre \n" +"

                                                                              The best ways to let artists and the public" +" know about your data may not mirror those of researchers. Social media, artis" +"tic organizations, and community partners may be options. For more help making" +" your data findable, contact your institution’s library or the Portage D" +"MP Coordinator at support@portagene" +"twork.ca.  

                                                                              " msgstr "" -"Donnez une description de tous les instruments" -" ou échelles de collecte de données qui seront utilisés p" -"our collecter les données. Il peut s’agir, entre autres, de quest" -"ionnaires, d’échelles d’évaluation ou de guides de p" -"ersonas. Si vous utilisez un instrument ou une échelle préexista" -"nts provenant d’une autre étude, fournissez les citations dans ce" -"tte section." +"

                                                                              Les chercheurs trouvent des données " +"par l’entremise de dépôts, du bouche-à-oreille, de s" +"ites web de projets, de revues savantes, etc. Pour partager vos données" +", il est préférable d’utiliser un dépôt pour " +"augmenter la découverte de vos données dans la communauté" +" de recherche. Vous pouvez aussi citer vos données déposé" +"es, tout comme vous citeriez une publication, en incluant un lien vers la cita" +"tion. Pour plus d’information à ce sujet, voir le UK Data Service et Digital Curation Centre (liens en anglais)" +"

                                                                              \n" +"

                                                                              La meilleure approche pour faire conna&icir" +"c;tre vos données auprès des artistes et membres du public n&rsq" +"uo;est pas forcément la même que celle des chercheurs. Les m&eacu" +"te;dias sociaux, organisations artistiques et partenaires au sein de la commun" +"auté sont parfois de bonnes avenues. Si vous désirez de l’" +"aide faciliter l’accès à vos données, contactez la " +"bibliothèque de votre établissement ou le coordonnateur PGD de P" +"ortage à support@portagenetw" +"ork.ca.

                                                                              " msgid "" -"Indicate how frequently you will be collecting" -" data from participants. For example, if you are conducting a series of user t" -"ests with the same participants each time, indicate the frequency here." +"

                                                                              Research data management is often a shared " +"responsibility, which can involve principal investigators, co-investigators, c" +"ollaborators, graduate students, data repositories, etc. Describe the roles an" +"d responsibilities of those who will carry out the activities of your data man" +"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" +"o can conduct these activities in relation to data management expertise, time " +"commitment, training needed to carry out tasks, and other factors.

                                                                              " msgstr "" -"Indiquez à quelle fréquence vous" -" allez collecter des données auprès des participants. Par exempl" -"e, si vous effectuez une série de tests d’utilisateurs avec les m" -"êmes participants à chaque fois, indiquez la fréquence ici" -"." +"

                                                                              La gestion des données de recherche " +"est souvent une responsabilité partagée, notamment entre les che" +"rcheurs principaux, co-chercheurs, collaborateurs, étudiants de cycle s" +"upérieur, dépôts de données, etc. Décrivez l" +"es rôles et responsabilités de tous ceux qui participeront &agrav" +"e; la gestion des données de recherche, que ce soient des individus ou " +"des organisations. Il est aussi important de définir l’éch" +"éancier des responsabilités. Parmi d’autres considé" +"rations, réfléchissez aux personnes qui ont de l’expertise" +" dans la gestion de données, ainsi que le temps et la formation n&eacut" +"e;cessaire pour entreprendre les tâches requises.

                                                                              " msgid "" -"Indicate the broader geographic location and s" -"etting where data will be gathered." +"Expected and unexpected changes to who manages" +" data during your project (e.g., a student graduates, research staff turnover)" +" and after (e.g., retirement, death, agreement with data repository ends) can " +"happen. A succession plan details how research data management responsibilitie" +"s will transfer to other individuals or organizations. Consider what will happ" +"en if the principal investigator, whether you or someone else, leaves the proj" +"ect. In some instances, a co-investigator or the department or division overse" +"eing your project can assume responsibility. Your post-project succession plan" +" can be part of the “living will” for your data." msgstr "" -"Indiquer la situation géographique et l" -"e contexte élargi dans lequel les données seront recueillies." +"Les personnes qui gèrent les donn&eacut" +"e;es peuvent changer de manière attendue et inattendue pendant un proje" +"t (un étudiant termine ses études, le personnel de recherche cha" +"nge de poste) ou après celui-ci (retraite, décès, fin d&r" +"squo;une entente avec un dépôt de données). Il est donc im" +"portant de définir un plan de relève pour indiquer comment la ge" +"stion des données sera transférée à d’autres" +" individus ou organisations. Pensez aux éventuelles conséquences" +" si le chercheur principal, que ce soit vous ou une autre personne, quitte le " +"projet en cours de route. Dans certains cas, le co-chercheur, le départ" +"ement ou la division responsable du projet peut entreprendre cette responsabil" +"ité. Le plan de relève peut s’inscrire dans le «&thi" +"nsp;testament de vie » du projet." msgid "" -"Utilize this section to include a descriptive " -"overview of the procedures involved in the data collection process. This may i" -"nclude but not be limited to recruitment, screening, information dissemination" -", and the phases of data collection (e.g., participant surveys, user acceptanc" -"e testing, etc.). " +"Know what resources you will need for research" +" data management during and after your project and their estimated cost as ear" +"ly as possible. For example, transcription, training for research team members" +", digitizing artwork, cloud storage, and depositing your data in a repository " +"can all incur costs. Many funding agencies provide financial support for data " +"management, so check what costs they will cover. Read more on costing data man" +"agement at Digital Curati" +"on Centre and OpenAIRE." msgstr "" -"Utilisez cette section pour inclure un aper&cc" -"edil;u descriptif des procédures impliquées dans le processus de" -" collecte des données. Cela peut comprendre, notamment, le recrutement," -" la sélection, la diffusion de l’information et les phases de la " -"collecte des données (par exemple, les enquêtes auprès des" -" participants, les tests d’acceptation par les utilisateurs, etc.). " -"; " +"Déterminez le type de ressources n&eacu" +"te;cessaires pour la gestion des données pendant et après votre " +"projet. Estimez les coûts le plus rapidement possible. Par exemple, la t" +"ranscription, la formation des membres de l’équipe de recherche, " +"la numérisation des œuvres, le stockage en ligne et dép&oc" +"irc;t des données entraînent tous des frais. La plupart des agenc" +"es de financement offrent un montant pour la gestion des données, donc " +"vérifiez quels coûts sont couverts. Pour plus d’information" +" à ce sujet, voir le Digital Curation Centre et " +"OpenAIRE (liens en anglais" +")." msgid "" -"Include the name and version of any software p" -"rograms used to collect data in the study. If homegrown software/technology is" -" being used, describe it and list any dependencies associated with running tha" -"t program." +"Research data management policies can be set b" +"y funders, postsecondary institutions, legislation, communities of researchers" +", and research data management specialists. List policies relevant to managing" +" your data, including those of your institution and the Tri-Agency Research Da" +"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" +"inks to these policies. " msgstr "" -"

                                                                              Indiquez le nom et la version de tout logic" -"iel utilisé pour collecter les données dans l’étude" -". Si un logiciel ou une technologie créé(e) à l’int" -"erne est utilisé(e), décrivez celui-ci ou celle-ci et énu" -"mérez toutes les dépendances associées à l’e" -"xécution de ce programme.

                                                                              " +"Les bailleurs de fonds, établissements " +"postsecondaires, mesures législatives, communautés de chercheurs" +" et spécialistes définissent parfois des politiques sur la gesti" +"on des données de recherche. Faites une liste des politiques qui concer" +"nent la gestion de vos données, notamment celles de votre établi" +"ssement et du CRSH, IRSC ou CRSNG si votre projet est financé par l&rsq" +"uo;un de ces trois organismes subventionnaires. Inclure un lien URL vers ces p" +"olitiques. " msgid "" -"List any of the output files formats from the " -"software programs listed above." +"

                                                                              Compliance with privacy and copyright law i" +"s a common issue in ABR and may restrict what data you can create, collect, pr" +"eserve, and share. Familiarity with Canadian copyright law is especially impor" +"tant in ABR (see Copyright Act of Canada, Can" +"adian Intellectual Property Office," +" Éducaloi, and Artists’ Legal Out" +"reach). Obtaining permissions is ke" +"y to managing privacy and copyright compliance and will help you select or dev" +"elop an end-user license. 

                                                                              \n" +"It is also important to know about ethical and" +" legal issues pertaining to the cultural context(s) in which you do ABR. For e" +"xample, Indigenous data sovereignty and governance are essential to address in" +" all aspects of research data management in projects with and affecting First " +"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" +"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" +"xperts at your institution can help you address ethical and legal issues, such" +" as those at your library, privacy office, research ethics office, or copyrigh" +"t office." msgstr "" -"Indiquez les formats de fichiers issus des log" -"iciels énumérés ci-dessus." +"

                                                                              La RBA doit souvent se conformer aux lois s" +"ur la vie privée et au droit d’auteur, ce qui limite le type de d" +"onnées que vous pouvez créer, recueillir, préserver et pa" +"rtager. Il est donc très important de connaître le droit canadien" +" de la propriété intellectuelle (voir la Loi s" +"ur le droit d’auteur, " +"Office de la propriété" +"; intellectuelle du Canada, " +"Éducaloi et Artists’ Legal O" +"utreach; lien en anglais)." +" Conformément aux lois sur la vie privée et au droit d’aut" +"eur, il faut obtenir des permissions et choisir ou définir une licence " +"d’utilisateur appropriée. 

                                                                              Vous devez aussi connaître les enjeux éthiques e" +"t juridiques du contexte culturel dans lequel s’inscrit votre RBA. Par e" +"xemple, la gouvernance et souveraineté des données autochtones s" +"ont essentielles pour les projets de gestion des données qui touchent l" +"es territoires et communautés des Premières Nations, Inuits et M" +"étis (voir le CGIPN, ITK et <" +"span style=\"font-weight: 400;\">GIDA; liens en anglais). La propriété collective du savoir " +"traditionnel et des expressions culturelles est aussi une dimension trè" +"s importante (voir la bibliot" +"hèque de l’UBC [li" +"en en anglais] et ISDE Canada). Pour mieux comprendre ces enjeux éthiques et " +"juridiques, faites appel à l’expertise de votre bibliothèq" +"ue, bureau de la protection des renseignements personnels, bureau d’&eac" +"ute;thique de la recherche ou bureau du droit d’auteur.

                                                                              " msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. An example of this might include your a" -"udit trails or versioning systems that you will follow iterations of the data " -"during the analysis process." +"Obtaining permissions to create, document, and" +" use artwork in ABR can be complex when, for example, non-participants are dep" +"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" +"ved from other copyrighted work (e.g., collages made of photographs, remixed s" +"ongs). Consider creating a plan describ" +"ing how you will obtain permissions for your project. It should include what y" +"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" +" permission is needed for what you want to do; and, if granted, what the condi" +"tions are. " msgstr "" -"Décrivez comment vous allez suivre les " -"modifications apportées aux fichiers d’analyse des données" -". Il peut s’agir par exemple de vos pistes de vérification ou de " -"vos systèmes de gestion des versions qui vous permettront de suivre les" -" itérations des données pendant le processus d’analyse." - -msgid "" -"Describe the software you will use to perform " -"any data analysis tasks associated with your study, along with the version of " -"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." -msgstr "" -"Décrivez le logiciel que vous utilisere" -"z pour effectuer les tâches d’analyse des données associ&ea" -"cute;es à votre étude, ainsi que la version de ce logiciel (par " -"exemple, SPSS, Atlas.ti, Excel, R, etc.). " +"Il est parfois compliqué d’obteni" +"r des permissions pour créer, documenter et utiliser des œuvres d" +"ans une RBA, si par exemple les œuvres mettent en scène des non-p" +"articipants ou si elles appartiennent partiellement ou elles ont ét&eac" +"ute; créées en partie par des mineurs. Les productions artistiqu" +"es dérivées d’une œuvre protégée par l" +"e droit d’auteur posent les mêmes défis (collages ré" +"alisés à partir de photographies, morceaux remixés). Vous" +" pourriez définir dans un plan les mesures à prendre pour obteni" +"r les permissions nécessaires à votre projet. Décrivez vo" +"tre projet (créer une œuvre dérivée, déposer" +" des données), indiquez où vous devez demander la permission et " +"les conditions qui s’appliquent si vous l’obtenez. " msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx)." +"Security measures for sensitive data include p" +"assword protection, encryption, and limiting physical access to storage device" +"s. Sensitive data should never be shared via email or cloud storage services n" +"ot approved by your research ethics office. Security measures for sensitive no" +"n-digital data include storage under lock and key, and logging removal and ret" +"urn of artwork from storage." msgstr "" -"Énumérez les formats de fichiers" -" associés à chaque logiciel d’analyse qui sera gén&" -"eacute;ré dans votre étude (par exemple, .txt, .csv, .xsls, .doc" -"x)." +"Les mesures de sécurité pour les" +" données sensibles incluent la protection de mot de passe, le chiffreme" +"nt et l’accès physique aux dispositifs de stockage limité." +" Il ne faut jamais partager des données sensibles par courrier é" +"lectronique ou par des services de stockage en ligne qui ne sont pas approuv&e" +"acute;s par le bureau d’éthique de la recherche. Les mesures de s" +"écurité pour les données sensibles non numériques " +"incluent l’entreposage sous clé, la suppression et le retour des " +"œuvres qui ont été entreposées." msgid "" -"Include any code or coding schemes used to per" -"form data analysis. Examples in this section could include codebooks for analy" -"zing interview transcripts from user testing, code associated with the functio" -"nal/non-functional requirements of the software/technology program, or analyti" -"cal frameworks used for evaluation." +"

                                                                              Sensitive data is any data that may negativ" +"ely impact individuals, organizations, communities, institutions, and business" +"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" +", and personal identifiers in artwork or its documentation can be examples of " +"sensitive data in ABR. Your data security measures should be proportional to t" +"he sensitivity of your data: the more sensitive your data, the more data secur" +"ity you need. Read more on sensitive da" +"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" +"rd, OpenAIRE" +", and U" +"K Data Service.

                                                                              " msgstr "" -"Indiquez tous les codes ou systèmes de " -"codage utilisés pour effectuer l’analyse des données. Il p" -"eut s’agir, par exemple, des guides de codification pour l’analyse" -" des transcriptions d’entretiens des tests d’utilisation, des code" -"s associés aux exigences fonctionnelles ou non fonctionnelles du progra" -"mme logiciel ou technologique, ou des cadres analytiques utilisés pour " -"l’évaluation." +"

                                                                              Toutes les données ayant potentielle" +"ment un impact négatif sur des individus, organisations, communaut&eacu" +"te;s, établissements et entreprises si elles sont dévoilé" +"es publiquement sont considérées comme étant sensibles. L" +"es œuvres protégées par le droit d’auteur, les expre" +"ssions culturelles autochtones et les identifiants personnels dans une œ" +"uvre ou les documents à l’appui peuvent être des donn&eacut" +"e;es sensibles dans votre RBA. Les mesures de sécurité doivent &" +"ecirc;tre proportionnelles à la sensibilité de vos donnée" +"s : plus elles le sont, plus vous devez prendre des mesures de séc" +"urité. Pour plus d’informa" +"tion à ce sujet, consultez le " +"Data Storage and Security Tools (PDF) by McMaster Research Ethics Board" +", OpenAIRE, et UK Data Ser" +"vice (liens en anglais).

                                                                              " msgid "" -"Use this section to describe any quality revie" -"w schedules, double coding measures, inter-rater reliability, quality review s" -"chedules, etc. that you intend to implement in your study." +"Removing direct and indirect identifiers from " +"data is a common strategy to manage sensitive data. However, some strategies t" +"o remove identifiers in images, audio, and video also remove information of va" +"lue to others (e.g., facial expressions, context, tone of voice). Consult your" +" research ethics office to find out if solutions exist to retain such informat" +"ion. Read more on de-identifying data at UBC Library and UK Data Service." msgstr "" -"Indiquez dans cette section les calendriers d&" -"rsquo;examen de la qualité, les mesures de double codage, la fiabilit&e" -"acute; entre évaluateurs, etc. que vous souhaitez mettre en œuvre" -" dans votre étude." +"Pour gérer les données sensibles" +", on retire souvent les identifiants directs et indirects des données. " +"En revanche, si on retire des identifiants d’images, bandes sonores et v" +"idéos, on élimine parfois aussi de l’information important" +"e pour autrui (expressions faciales, contexte, ton de voix). Consultez votre b" +"ureau d’éthique de la recherche pour trouver des solutions qui vo" +"us permettraient de retenir cette information. Pour plus d’information &" +"agrave; ce sujet, voir la biblioth&egr" +"ave;que de l’UBC et UK Data Service " +"(liens en anglais)." msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, personas, user testing procedures, data collection " -"instruments, or software dependencies, etc.)." +"

                                                                              Sensitive data can still be shared and reus" +"ed if strategies are in place to protect against unauthorized disclosure and t" +"he problems that can rise from it. Obtain the consent of participants to share" +" and reuse sensitive data beyond your project. Your consent form should state " +"how sensitive data will be protected when shared, accessed, and reused. Strate" +"gies to reduce the risk of public disclosure are de-identifying data and imple" +"menting access restrictions on deposited data. Make sure to address types of s" +"ensitive data beyond personal identifiers of participants. Your strategies sho" +"uld align with requirements of your research ethics office, institution, and, " +"if applicable, legal agreements for sharing data. Consult your research ethics" +" office if you need help identifying problems and strategies.

                                                                              " msgstr "" -"Réfléchissez à l’in" -"formation qui pourrait être utile pour accompagner vos données si" -" vous deviez les partager avec quelqu’un d’autre (par exemple, le " -"protocole de l’étude, le guide d’entretien, les personas, l" -"es procédures de test des utilisateurs, les instruments de collecte des" -" données ou les dépendances des logiciels, etc.)." +"

                                                                              Il est possible de partager et de ré" +"utiliser des données sensibles à condition d’avoir une str" +"atégie pour les protéger contre la divulgation non autoris&eacut" +"e;e et les problèmes qui en découlent. Vous devez obtenir le con" +"sentement des participants pour partager et réutiliser des donné" +"es sensibles au-delà de votre projet. Votre formulaire de consentement " +"doit indiquer comment celles-ci seront protégées en cas de parta" +"ge, d’accès et de réutilisation. Pour réduire le ri" +"sque qu’elles soient dévoilées sans autorisation, il est p" +"référable de les anonymiser et de mettre en place des restrictio" +"ns d’accès si elles sont déposées. N’oubliez " +"pas d’inclure toutes les données sensibles au-delà des ide" +"ntifiants personnels des participants. Vos stratégies doivent respecter" +" les exigences du bureau d’éthique de la recherche, de votre &eac" +"ute;tablissement et des ententes juridiques sur le partage des données," +" le cas échéant. Pour obtenir de l’aide afin de cerner les" +" enjeux et de mettre en place une stratégie, consultez votre bureau d&r" +"squo;éthique de la recherche.

                                                                              " msgid "" -"Describe the target population for which the s" -"oftware/technology is being developed (i.e., end users)." +"Examples of research data management policies that may be in place include tho" +"se set forth by funders, post secondary institutions, legislation, and communi" +"ties.
                                                                              \n" +"

                                                                              Examples of these might include: 

                                                                              \n" +"" msgstr "" -"Décrire la population cible pour laquel" -"le le logiciel ou la technologie est développé(e) (c’est-&" -"agrave;-dire les utilisateurs finaux)." +"

                                                                              Parmi les exemples de politiques de gestion" +" des données de recherche qui peuvent être mises en place, il y a" +" celles qui sont définies par les bailleurs de fonds, les établi" +"ssements d’enseignement supérieur, la législation et les c" +"ommunautés. 

                                                                              \n" +"

                                                                              En voici quelques exemples : \n" +"

                                                                              " msgid "" -"Describe the processes used to sample the popu" -"lation (e.g., convenience, snowball, purposeful, etc.)." +"Having a clear understanding of all the data that you will collect or use with" +"in your project will help with planning for their management.

                                                                              Incl" +"ude a general description of each type of data related to your project, includ" +"ing the formats that they will be collected in, such as audio or video files f" +"or qualitative interviews and focus groups and survey collection software or f" +"ile types.

                                                                              As well, provide any additional details that may be help" +"ful, such as the estimated length (number of survey variables/length of interv" +"iews) and quantity (number of participants to be interviewed) both of surveys " +"and interviews." msgstr "" -"Décrivez les processus utilisés " -"pour échantillonner la population (par exemple, échantillonnage " -"de commodité, en boule de neige, délibéré, etc.).<" -"/span>" +"

                                                                              Une bonne compréhension de toutes le" +"s données que vous allez collecter ou utiliser dans le cadre de votre p" +"rojet vous aidera à planifier leur gestion. 

                                                                              \n" +"

                                                                              Décrivez de manière gé" +"nérale chaque type de données liées à votre projet" +", y compris les formats dans lesquels elles seront collectées, tels que" +" les fichiers audio ou vidéo pour les entrevues qualitatives et les gro" +"upes de discussion, ainsi que les logiciels de collecte d’enquêtes" +" ou les types de fichiers.

                                                                              \n" +"

                                                                              De plus, fournissez tous les détails" +" supplémentaires qui pourraient être utiles, tels que la dur&eacu" +"te;e estimée (nombre de variables de l’enquête ou la dur&ea" +"cute;e des entrevues) et la quantité (nombre de participants à i" +"nterroger) des enquêtes et des entrevues.

                                                                              " msgid "" -"For any data gathered, list the variables bein" -"g studied. For each variable, include the variable name, explanatory informati" -"on, variable type, and values associated with each variable. Examples may incl" -"ude demographic characteristics of stakeholders, components of the software/te" -"chnology program’s functional and nonfunctional requirements, etc. See g" -"uidance on how to create a" -" data dictionary." +"

                                                                              There are many potential sources of existin" +"g data, including research data repositories, research registries, and governm" +"ent agencies. 

                                                                              \n" +"

                                                                              Examples of these include:

                                                                              \n" +" \n" +" \n" +"
                                                                                \n" +"
                                                                              • Research data re" +"positories, such as those listed at " +"re3data.org
                                                                              • \n" +"
                                                                              \n" +" \n" +"

                                                                              You may also wish to contact the Library at" +" your institution for assistance in searching for any existing data that may b" +"e useful to your research.

                                                                              " msgstr "" -"Pour toute donnée recueillie, én" -"umérez les variables étudiées. Pour chaque variable, indi" -"quez le nom de la variable, les informations explicatives, le type de variable" -" et les valeurs associées à chaque variable. Il peut s’agi" -"r, par exemple, des caractéristiques démographiques des interven" -"ants, des composantes des exigences fonctionnelles et non fonctionnelles du lo" -"giciel ou du programme technologique, etc. Consultez le guide sur comment créer un dictionnaire d" -"e donnés (lien en anglais)." - -msgid "" -"Create a glossary of all acronyms or abbreviat" -"ions used within your study. " -msgstr "" -"Créez un glossaire de tous les acronyme" -"s ou abréviations utilisés dans votre étude. " +"

                                                                              Il existe de nombreuses sources potentielle" +"s de données, notamment les dépôts de données de re" +"cherche, les registres de recherche et les agences gouvernementales. \n" +"

                                                                              En voici quelques exemples : \n" +"

                                                                              \n" +"

                                                                              Vous pouvez également communiquer av" +"ec la bibliothèque de votre établissement pour obtenir de l&rsqu" +"o;aide dans la recherche de données qui pourraient être utiles &a" +"grave; votre recherche.

                                                                              " msgid "" -"Provide an estimate of how much data you will " -"collect for all data in the form of terabytes, gigabytes, or megabytes as need" -"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" -"equired for video files, 500 MB for survey data). " +"

                                                                              Include a description of any methods that y" +"ou will use to collect data, including electronic platforms or paper based met" +"hods. For electronic methods be sure to include descriptions of any privacy po" +"licies as well as where and how data will be stored while within the platform." +"

                                                                              For an example of a detaile" +"d mixed methods description, see this Portage DMP Exemplar in either English or French" +".

                                                                              \n" +"

                                                                              There are many electronic survey data colle" +"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" +"span style=\"font-weight: 400;\">and " +"where your survey data will be col" +"lected and stored is an essential component of managing your data and ensuring" +" that you are adhering to any security requirements imposed by funders or rese" +"arch ethics boards. 

                                                                              \n" +"Additionally, it is important to clearly under" +"stand any security and privacy policies that are in place for any given electr" +"onic platform that you will use for collecting your data  - examples of s" +"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." msgstr "" -"Fournissez une estimation de la quantité" -"; de données que vous allez collecter pour l’ensemble des donn&ea" -"cute;es sous forme de téraoctets, gigaoctets ou mégaoctets selon" -" les besoins. Il est conseillé de ventiler les exigences de taille par " -"type de données (par exemple, 2 Go pour les fichiers vidéo," -" 500 Mo pour les données d’enquête)." +"

                                                                              Décrivez toutes les méthodes " +"que vous utiliserez pour collecter des données, y compris les plateform" +"es électroniques ou les méthodes sur papier. Pour les mét" +"hodes électroniques, décrivez aussi toutes les politiques de pro" +"tection de confidentialité et indiquez où et comment les donn&ea" +"cute;es seront stockées sur la plateforme.

                                                                              \n" +"

                                                                              Pour un exemple de description détai" +"llée des méthodologies mixtes, consultez ce modèle de PDG" +" de Portage en anglais ou" +" en français.

                                                                              \n" +"

                                                                              Il existe de nombreuses plateformes de coll" +"ecte électronique de données d’enquête parmi lesquel" +"les choisir (par exemple, Qualtrics, REDCap, " +"Hosted in Canada Surveys; liens en anglais). Pour gérer vos données et faire en sorte que " +"vous respectiez toutes les exigences de sécurité imposées" +" par les bailleurs de fonds ou les comités d’éthique de la" +" recherche, vous devez comprendre comment et où les données de v" +"otre enquête seront collectées et stockées.  \n" +"

                                                                              De plus, il est important de comprendre cla" +"irement les politiques de sécurité et de confidentialité " +"qui sont en place pour toutes les plateformes électroniques que vous ut" +"iliserez pour collecter vos données — parmi les exemples de telle" +"s politiques de confidentialité, il y a celles fournies par Qualtrics (enquête; " +"lien en anglais) et Zoom (entrevue;" +" lien en anglais).

                                                                              " msgid "" -"Indicate where and how data will be stored dur" -"ing data collection. Examples may include storing data in secure, password pro" -"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" -"p), hard copies stored in locked filing cabinets, external hard drives, etc." +"

                                                                              To support transcribing activities within y" +"our research project, it is recommended that you implement a transcribing prot" +"ocol which clearly outlines such things as formatting instructions, a summary " +"of contextual metadata to include, participant and interviewer anonymization, " +"and file naming conventions.

                                                                              \n" +"

                                                                              When outsourcing transcribing services, and" +" especially when collecting sensitive data, it is important to have a confiden" +"tiality agreement in place with transcribers, including a protocol for their d" +"eleting any copies of data once it has been transcribed, transferred, and appr" +"oved. Additionally, you will need to ensure that methods for transferring and " +"storing data align with any applicable funder or institutional requirements.

                                                                              " msgstr "" -"Indiquez l’endroit et la méthode " -"de stockage des données pendant la collecte des données. Il peut" -" s’agir, par exemple, du stockage de données dans des fichiers in" -"formatiques sécurisés et protégés par un mot de pa" -"sse, du stockage crypté dans les nuages, de programmes logiciels (par e" -"xemple REDCap), de copies papier stockées dans des classeurs verrouill&" -"eacute;s, de disques durs externes, etc." +"

                                                                              Pour soutenir les activités de trans" +"cription dans le cadre de votre projet de recherche, il est recommandé " +"de mettre en œuvre un protocole de transcription qui décrit clair" +"ement des éléments tels que les instructions de formatage, un r&" +"eacute;sumé des métadonnées contextuelles à inclur" +"e, l’anonymisation des participants et des enquêteurs, et les conv" +"entions de nomenclature des fichiers.

                                                                              \n" +"

                                                                              Lorsque vous faites appel à des serv" +"ices de transcription en sous-traitance, et surtout lorsque vous collectez des" +" données sensibles, il est important de mettre en place une entente de " +"confidentialité avec les transcripteurs, y compris un protocole leur pe" +"rmettant de supprimer toute copie des données une fois qu’elles o" +"nt été transcrites, transférées et approuvé" +"es. De plus, vous devrez vous assurer que les méthodes de transfert et " +"de stockage des données sont conformes aux exigences du bailleur de fon" +"ds ou de l’établissement.

                                                                              " msgid "" -"If different from above, indicate where data i" -"s stored during the data analysis process. If data is being sent to external l" -"ocations for analysis by a statistician, describe that process here." +"

                                                                              Transferring of data is a critical stage of" +" the data collection process, and especially so when managing sensitive inform" +"ation. Data transfers may occur:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • from the field (" +"real world settings)
                                                                              • \n" +"
                                                                              • from data provid" +"ers
                                                                              • \n" +"
                                                                              • between research" +"ers
                                                                              • \n" +"
                                                                              • between research" +"ers & stakeholders
                                                                              • \n" +"
                                                                              \n" +"

                                                                              It is best practice to identify data transf" +"er methods that you will use before" +" your research begins.

                                                                              " +"\n" +"

                                                                              Some risks associated with the transferring" +" of data include loss of data, unintended copies of data files, and data being" +" provided to unintended recipients. You should avoid transferring data using u" +"nsecured methods, such as email. Typical approved methods for transferring dat" +"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" +"proved by your institution. 

                                                                              \n" +"

                                                                              Talk to your local IT support to identify s" +"ecure data transferring methods available to you.

                                                                              " msgstr "" -"S’il diffère de celui indiqu&eacu" -"te; ci-dessus, indiquez l’endroit où les données sont stoc" -"kées pendant le processus d’analyse des données. Si les do" -"nnées sont envoyées à des endroits externes pour êt" -"re analysées par un statisticien, décrivez ce processus ici." +"

                                                                              Le transfert de données est une &eac" +"ute;tape critique du processus de collecte des données, et plus particu" +"lièrement de la gestion des informations sensibles. Des transferts de d" +"onnées peuvent avoir lieu :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • à partir " +"du terrain (lieux concrets) ;
                                                                              • \n" +"
                                                                              • à partir " +"de fournisseurs de données ;
                                                                              • \n" +"
                                                                              • entre des cherch" +"eurs ;
                                                                              • \n" +"
                                                                              • entre des cherch" +"eurs et des intervenants.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Il est préférable de sp&eacut" +"e;cifier les méthodes de transfert de données que vous utilisere" +"z avant le début de votre recherche.

                                                                              \n" +"

                                                                              Parmi les risques associés au transf" +"ert de données, il y a la perte de données, les copies involonta" +"ires de fichiers de données et le transfert de données à " +"des destinataires involontaires. Vous devez éviter de transférer" +" des données en utilisant des méthodes non sécurisé" +";es, telles que le courrier électronique. Les méthodes gé" +"néralement approuvées pour le transfert de données compre" +"nnent le protocole de transfert sécuritaire" +" de fichiers (SFTP), les extranets " +"sécurisés ou d’autres méthodes approuvées pa" +"r votre institution. 

                                                                              \n" +"

                                                                              Parlez à votre service informatique " +"local pour connaître les méthodes de transfert de données " +"sécurisées qui vous sont proposées.

                                                                              " msgid "" -"Indicate the security measures used to protect" -" participant identifying data. Examples may include storing informed consent f" -"orms separately from anonymized data, password protecting files, locking unuse" -"d computers, and restricting access to data that may contain identifying infor" -"mation. " +"

                                                                              Ensuring that your data files exist in non-" +"proprietary formats helps to ensure that they are able to be easily accessed a" +"nd reused by others in the future.

                                                                              \n" +"

                                                                              Examples of non-proprietary file formats in" +"clude:

                                                                              \n" +"

                                                                              Surveys: CSV" +"; HTML; Unicode Transformation Formats 

                                                                              \n" +"

                                                                              Qualitative interviews:

                                                                              \n" +" \n" +"

                                                                              For more information and resources pertaini" +"ng to file formats you may wish to visit:

                                                                              \n" +"" msgstr "" -"Indiquez les mesures de sécurité" -" utilisées pour protéger les données d’identificati" -"on des participants. Il peut s’agir, par exemple, de stocker les formula" -"ires de consentement éclairé séparément des donn&e" -"acute;es anonymisées, de protéger les fichiers par un mot de pas" -"se, de verrouiller les ordinateurs inutilisés et de restreindre l&rsquo" -";accès aux données pouvant contenir des renseignements identific" -"atoires. " - -msgid "" -"List any specific file naming conventions used" -" throughout the study. Provide examples of this file naming convention in the " -"text indicating the context for each part of the file name. See file naming gu" -"idance here<" -"/span>." -msgstr "" -"Indiquez les conventions de nomenclature des f" -"ichiers utilisées tout au long de l’étude. Donnez des exem" -"ples de cette convention de nomenclature de fichier dans le texte en indiquant" -" le contexte de chaque partie du nom du fichier. Consultez le guide de nomencl" -"ature des fichiers ici
                                                                              ." - -msgid "" -"Describe how your study data will be regularly" -" saved, backed up, and updated. If using institutional servers, consult with y" -"our Information Technology department to find out how frequently data is backe" -"d up." -msgstr "" -"Décrivez comment les données de " -"votre étude seront régulièrement enregistrées, sau" -"vegardées et mises à jour. Si vous utilisez des serveurs institu" -"tionnels, consultez votre service informatique pour connaître la fr&eacu" -"te;quence de sauvegarde des données." +"

                                                                              En vous assurant que vos fichiers de donn&e" +"acute;es existent dans des formats non propriétaires, vous vous assurez" +" qu’ils pourront être facilement accessibles et réutilis&ea" +"cute;s par d’autres à l’avenir.

                                                                              \n" +"

                                                                              Voici quelques exemples de formats de fichi" +"ers non propriétaires :

                                                                              \n" +"

                                                                              Sondages : CSV ; HTML ; Formats de transformation Unicode " +"
                                                                              E" +"ntrevues qualitatives :

                                                                              \n" +" \n" +"

                                                                              Pour plus d’informations et de ressou" +"rces concernant les formats de fichiers, vous pouvez consulter :

                                                                              \n" +"" msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how informed consent is collected, and" -" at which phases of the data collection process. Examples include steps to gai" -"n written or verbal consent, re-establishing consent at subsequent points of c" -"ontact, etc. " +"

                                                                              Include a description of the survey codeboo" +"k(s) (data dictionary), as well as how it will be developed and generated. You" +" should also include a description of the interview data that will be collecte" +"d, including any important contextual information and metadata associated with" +" file formats.

                                                                              \n" +"

                                                                              Your documentation may include study-level " +"information about:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • who created/coll" +"ected the data
                                                                              • \n" +"
                                                                              • when it was crea" +"ted
                                                                              • \n" +"
                                                                              • any relevant stu" +"dy documents
                                                                              • \n" +"
                                                                              • conditions of us" +"e
                                                                              • \n" +"
                                                                              • contextual detai" +"ls about data collection methods and procedural documentation about how data f" +"iles are stored, structured, and modified.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              A complete description of the data files ma" +"y include:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • naming and label" +"ling conventions
                                                                              • \n" +"
                                                                              • explanations of " +"codes and variables
                                                                              • \n" +"
                                                                              • any information " +"or files required to reproduce derived data.
                                                                              • \n" +"
                                                                              \n" +"More information about both general and discip" +"line specific data documentation is available at https://" +"www.dcc.ac.uk/guidance/standards/metadata" msgstr "" -"Décrivez l’information fournie da" -"ns le protocole de votre comité d’éthique de la recherche," -" et décrivez comment et à quelles phases du processus de collect" -"e des données le consentement éclairé est recueilli. Il p" -"eut s’agir, par exemple, des étapes permettant d’obtenir un" -" consentement écrit ou verbal, du rétablissement du consentement" -" aux points de contact ultérieurs, etc.  " +"

                                                                              Décrivez les guides de codification " +"de l’enquête (dictionnaire de données) et la manière" +" dont ils seront élaborés et générés. D&eac" +"ute;crivez également les données d’entrevue qui seront col" +"lectées, y compris toutes les informations contextuelles importantes et" +" les métadonnées associées aux formats de fichiers.

                                                                              \n" +"

                                                                              Votre documentation peut comprendre des inf" +"ormations de l’étude sur :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • la personne qui " +"a créé ou collecté les données ; \n" +"
                                                                              • le moment de sa " +"création ;
                                                                              • \n" +"
                                                                              • des documents d&" +"rsquo;étude pertinents ;
                                                                              • \n" +"
                                                                              • les conditions d" +"’utilisation ;
                                                                              • \n" +"
                                                                              • des détai" +"ls contextuels sur les méthodes de collecte des données et des d" +"ocuments de procédure sur la manière dont les fichiers de donn&e" +"acute;es sont stockés, structurés et modifiés. \n" +"
                                                                              \n" +"

                                                                              Une description des fichiers de donné" +";es peut inclure :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • les conventions " +"de nomenclature et d’étiquetage ;
                                                                              • \n" +"
                                                                              • les explications" +" des codes et des variables ;
                                                                              • \n" +"
                                                                              • toutes les infor" +"mations ou tous les fichiers nécessaires pour reproduire des donn&eacut" +"e;es dérivées.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Pour plus d’informations sur la docum" +"entation des données générales et propres à la dis" +"cipline, consultez le lien suivant : https://www.dcc" +".ac.uk/guidance/standards/metadata (lien en anglais). " +";

                                                                              " msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations were studied, outline specific guidelines that are being follow" -"ed to protect participants (e.g., " -"OCAP, community advisory boards, et" -"c.)." +"For guidance on file naming conventions please" +" see the University of Edinburgh." msgstr "" -"Décrivez toute préoccupation &ea" -"cute;thique qui pourrait être associée aux données de cett" -"e étude. Par exemple, si des populations vulnérables ou indig&eg" -"rave;nes ont été étudiées, décrivez les lig" -"nes directrices spécifiques qui sont suivies pour protéger les p" -"articipants (par exemple, les principes de PCAP, les conseils cons" -"ultatifs communautaires, etc.)." +"Pour des conseils sur les conventions de nomen" +"clature des fichiers, veuillez consulter la bibliothèque de l" +"'UOttawa." msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by a funder" -", institution, collaboration or commercial agreement. " +"

                                                                              High quality documentation and metadata hel" +"p to ensure accuracy, consistency, and completeness of your data. It is consid" +"ered best practice to develop and implement protocols that clearly communicate" +" processes for capturing important information throughout your research projec" +"t. Example topics that these protocols " +"might cover include file naming conventions, file versioning, folder structure" +", and both descriptive and structural metadata. 

                                                                              \n" +"Researchers and research staff should ideally " +"have the opportunity to contribute to the content of metadata protocols, and i" +"t is additionally useful to consult reg" +"ularly with members of the research team to capture any potential changes in d" +"ata collection/processing that need to be reflected in the documentation." msgstr "" -"Indiquez en détail les restrictions jur" -"idiques qui s’appliquent à vos données. Ces restrictions p" -"euvent inclure, notamment, des détails sur la manière dont vos d" -"onnées de recherche peuvent être utilisées selon les direc" -"tives d’un bailleur de fonds, une institution, une collaboration ou un a" -"ccord commercial. " +"

                                                                              Une documentation et des métadonn&ea" +"cute;es de haute qualité contribuent à garantir l’exactitu" +"de, la cohérence et l’intégralité de vos donn&eacut" +"e;es. Il est préférable d’élaborer et de mettre en " +"œuvre des protocoles qui communiquent clairement les processus de saisie" +" des informations importantes tout au long de votre projet de recherche. Ces p" +"rotocoles peuvent notamment porter sur les conventions de nomenclature des fic" +"hiers, les versions des fichiers, la structure des dossiers et les méta" +"données descriptives et structurelles. 

                                                                              \n" +"

                                                                              Les chercheurs et le personnel de recherche" +" devraient idéalement avoir la possibilité de contribuer au cont" +"enu des protocoles pour les métadonnées ; il est é" +"galement utile de consulter les membres de l’équipe de recherche " +"régulièrement afin de saisir tous les changements potentiels dan" +"s la collecte ou le traitement des données qui doivent être indiq" +"ués dans la documentation.

                                                                              " msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include personnel, sto" -"rage requirements, software, hardware, etc." +"

                                                                              Metadata are descriptions of the contents a" +"nd context of data files. Using a metadata standard (a set of required fields " +"to fill out) helps to ensure that your documentation is consistent, structured" +", and machine-readable, which is essential for depositing data in repositories" +" and making it easily discoverable by search engines.

                                                                              \n" +"

                                                                              There are both general and d" +"iscipline-specific metadata standar" +"ds and tools for research data.

                                                                              \n" +"

                                                                              One of the most widely used metadata standa" +"rds for surveys is DDI (Data Documentati" +"on Initiative), a free standard that can document and manage different stages " +"in the research data lifecycle including data collection, processing, distribu" +"tion, discovery and archiving.

                                                                              \n" +"For assistance with choosing a metadata standa" +"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " msgstr "" -"Décrivez toutes les ressources financi&" -"egrave;res qui peuvent être nécessaires pour gérer correct" -"ement vos données de recherche. Celles-ci peuvent être lié" -"es au personnel, au stockage, aux logiciels, au matériel, etc." +"

                                                                              Les métadonnées sont des desc" +"riptions du contenu et du contexte des fichiers de données. L’uti" +"lisation d’une norme de métadonnées (un ensemble de champs" +" obligatoires à remplir) permet de garantir que votre documentation est" +" cohérente, structurée et lisible par une machine, ce qui est es" +"sentiel pour le dépôt des données dans les dép&ocir" +"c;ts et pour permettre aux moteurs de recherche de les découvrir facile" +"ment.

                                                                              \n" +"

                                                                              Il existe des normes et des outils de m&eac" +"ute;tadonnées générales et spécifiq" +"ues à chaque discipline (lien en anglais) pour les données de recherche.

                                                                              \n" +"

                                                                              L’une des normes de métadonn&e" +"acute;es les plus utilisées pour les enquêtes est la DDI (l’initiative de documentation des donn&ea" +"cute;es; lien en anglais), une norme gratuite qui peut documenter et " +"gérer différentes étapes du cycle de vie des donné" +"es de recherche, y compris la collecte, le traitement, la distribution, la d&e" +"acute;couverte et l’archivage des données.

                                                                              \n" +"

                                                                              Pour obtenir de l’aide dans le choix " +"d’une norme de métadonnées, vous pouvez vous adresser &agr" +"ave; la bibliothèque de votre établissement ou envoyer un messag" +"e à support@portagenetwork.ca.

                                                                              " msgid "" -"Provide the name(s), affiliation, and contact " -"information for the main study contact." +"

                                                                              Data storage is a critical component of man" +"aging your research data, and secure methods should always be used, especially" +" when managing sensitive data. Storing data on USB sticks, laptops, computers," +" and/or external hard drives without a regular backup procedure in place is no" +"t considered to be best practice due to their being a risk both for data breac" +"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " +"having only one copy, or multiple copies of data stored in the same physical l" +"ocation does little to mitigate risk. 

                                                                              \n" +"

                                                                              Many universities offer networked file stor" +"age which is automatically backed up. Contact your local (e.g., faculty or org" +"anization) and/or central IT services to find out what secure data storage ser" +"vices and resources they are able to offer to support your research project.

                                                                              \n" +"Additionally, you may wish to consider investi" +"gating Compute Canad" +"a’s Rapid Access Service whic" +"h provides Principal Investigators at Canadian post-secondary institutions wit" +"h a modest amount of storage and cloud resources at no cost." msgstr "" -"Indiquez les noms, l’affiliation et les " -"coordonnées des personnes-ressources à contacter pour l’&e" -"acute;tude." - -msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the study data. " -msgstr "" -"Indiquez les noms, l’affiliation, les co" -"ordonnées et les responsabilités de chaque membre de l’&ea" -"cute;quipe d’étude qui travaille avec les données de l&rsq" -"uo;étude. " - -msgid "" -"Describe who the intended users are of the dat" -"a. Consider that those who would benefit most from your data may differ from t" -"hose who would benefit from the software/technology developed. " -msgstr "" -"Décrivez qui sont les utilisateurs pr&e" -"acute;vus des données. Tenez compte du fait que ceux qui profiteraient " -"le plus de vos données peuvent être différents de ceux qui" -" profiteraient du logiciel ou de la technologie développé(e)." +"

                                                                              Le stockage des données est un &eacu" +"te;lément essentiel de la gestion de vos données de recherche&th" +"insp;; des méthodes sécurisées devraient toujours ê" +"tre utilisées, en particulier pour la gestion des données sensib" +"les. Le stockage de données sur des clés USB, des ordinateurs po" +"rtables, des ordinateurs ou des disques durs externes sans procédure de" +" sauvegarde régulière n’est pas considéré co" +"mme une bonne pratique car il présente un risque de fuites de donn&eacu" +"te;es (soit par perte, vol, etc.), de corruption des donnés et de d&eac" +"ute;faillance du matériel informatique. Par ailleurs, le fait d’a" +"voir une seule copie ou plusieurs copies de données stockées au " +"même endroit physique ne contribue guère à atténuer" +" le risque. 

                                                                              \n" +"

                                                                              De nombreuses universités proposent " +"un stockage de fichiers en réseau qui est automatiquement sauvegard&eac" +"ute;. Communiquez avec votre service informatique local (par exemple, votre fa" +"culté ou votre organisation) ou service informatique central pour savoi" +"r quels services et ressources de stockage de données sécuris&ea" +"cute;es ils offrent pour votre projet de recherche.

                                                                              \n" +"

                                                                              De plus, vous pourriez considérer le" +" Service d’accès rapide de Calcul Canada qui fournit gratuitement aux chercheurs principaux des &" +"eacute;tablissements d’enseignement supérieur canadiens un stocka" +"ge et des ressources infonuagiques modestes.

                                                                              " msgid "" -"Outline the specific data that can be shared a" -"t the completion of the study. Be specific about the data (e.g., from surveys," -" user testing, app usage, interviews, etc.) and what can be shared." +"

                                                                              It is important to determine at the early s" +"tages of your research project how members of the research team will appropria" +"tely access and work with data. If researchers will be working with data using" +" their local computers (work or personal) then it is important to ensure that " +"data are securely transferred (see previous question on data transferring), co" +"mputers may need to be encrypted, and that all processes meet any requirements" +" imposed by funders, institutions, and research ethics offices.

                                                                              \n" +"

                                                                              When possible, it can be very advantageous " +"to use a cloud-based environment so that researchers can remotely access and w" +"ork with data, reducing the need for data transferring and associated risks, a" +"s well as unnecessary copies of data existing.

                                                                              \n" +"One such cloud environment that is freely avai" +"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " msgstr "" -"Précisez les données qui peuvent" -" être partagées à l’issue de l’étude. S" -"oyez précis quant aux données (par exemple, provenant d’en" -"quêtes, de tests d’utilisateurs, d’utilisation d’appli" -"cations, d’entretiens, etc." +"

                                                                              Il est important de déterminer d&egr" +"ave;s les premières étapes de votre projet de recherche comment " +"les membres de l’équipe de recherche accéderont aux donn&e" +"acute;es et les utiliseront de manière appropriée. Si les cherch" +"eurs travailleront avec des données en utilisant leurs ordinateurs loca" +"ux (professionnels ou personnels), il est important de s’assurer que les" +" données sont transférées de manière sécuri" +"sée (voir la question précédente sur le transfert de donn" +"ées), que les ordinateurs soient cryptés et que tous les process" +"us répondent aux exigences imposées par les bailleurs de fonds, " +"les établissements et les comités d’éthique de la r" +"echerche.

                                                                              \n" +"

                                                                              Lorsque cela est possible, il peut êt" +"re très avantageux d'utiliser un environnement infonuagique afin que le" +"s chercheurs puissent accéder et travailler à distance avec les " +"données, ce qui réduit la nécessité de transf&eacu" +"te;rer les données et les risques associés, ainsi que les copies" +" inutiles des données existantes.

                                                                              \n" +"

                                                                              Un de ces environnements infonuagique libre" +"ment accessible aux chercheurs canadiens est le Service d’accè" +"s rapide de Calcul Canada." msgid "" -"Describe any restrictions that may prohibit th" -"e sharing of data. Examples may include holding data that has confidentiality," -" license, or intellectual property restrictions, are beholden to funder requir" -"ements, or are subject to a data use agreement." +"

                                                                              Think about all of the data that will be ge" +"nerated, including their various versions, and estimate how much space (e.g., " +"megabytes, gigabytes, terabytes) will be required to store them. <" +"/p> \n" +"

                                                                              The type of data you collect, along with th" +"e length of time that you require active storage, will impact the resources th" +"at you require. Textual and tabular data files are usually very small (a few m" +"egabytes) unless you have a lot of data. Video files are usually very large (h" +"undreds of megabytes up to several gigabytes). If you have a large amount of d" +"ata (gigabytes or terabytes), it will be more challenging to share and transfe" +"r it. You may need to consider networked storage options or more sophisticated" +" backup methods.

                                                                              \n" +"You may wish to contact your local IT services" +" to discuss what data storage options are available to you, or consider the us" +"e of Compute Canada&" +"rsquo;s Rapid Access Service. " +" " msgstr "" -"Décrivez toutes les restrictions qui po" -"urraient interdire le partage des données. Il peut s’agir, par ex" -"emple, de la détention de données assujetties à des restr" -"ictions en matière de confidentialité, de licence ou de propri&e" -"acute;té intellectuelle selon les exigences du bailleur de fonds ou qui" -" font l’objet d’un accord d’utilisation des données.<" -"/span>" +"

                                                                              Pensez à toutes les données q" +"ui seront générées, y compris leurs différentes ve" +"rsions, et estimez l’espace (en mégaoctets, gigaoctets, té" +"raoctets, etc.) qui sera nécessaire pour les stocker. 

                                                                              " +"\n" +"

                                                                              Le type de données que vous recueill" +"ez ainsi que la durée de stockage actif auront un impact sur les ressou" +"rces dont vous aurez besoin. Les fichiers de données textuelles et tabu" +"laires sont généralement très petits (quelques még" +"aoctets) à moins que vous ayez beaucoup de données. Les fichiers" +" vidéo sont généralement très volumineux (des cent" +"aines de mégaoctets à plusieurs gigaoctets). Si vous disposez d&" +"rsquo;une grande quantité de données (gigaoctets ou térao" +"ctets), il sera plus difficile de les partager et de les transférer. Vo" +"us devrez peut-être envisager des options de stockage en réseau o" +"u des méthodes de sauvegarde plus sophistiquées.

                                                                              \n" +"

                                                                              Vous pouvez communiquer avec vos services i" +"nformatiques locaux pour discuter des options de stockage des données &" +"agrave; votre disposition ou envisager le recours au Service d’acc&eg" +"rave;s rapide de Calcul Canada.&nbs" +"p;

                                                                              " msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, via community approval, or through you" -"r Research Ethics Board." +"

                                                                              Proprietary data formats are not optimal fo" +"r long-term preservation of data as they typically require specialized license" +"d software to open them. Such software may have costs associated with its use," +" or may not even be available to others wanting to re-use your data in the fut" +"ure.

                                                                              \n" +"

                                                                              Non-proprietary file formats, such as comma" +"-separated values (.csv), text (" +".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" +"n mind that preservation-friendly files converted from one format to another m" +"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" +"essed JPG file), so changes to file formats should be documented.

                                                                              \n" +"

                                                                              Identify the steps required to ensure the d" +"ata you are choosing to preserve is error-free, and converted to recommended f" +"ormats with a minimal risk of data loss following project completion. Some str" +"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" +", changing voices) also remove information of value to other researchers.

                                                                              \n" +"

                                                                              See this Portage DMP Exemplar in English or French<" +"/span> for more help describing preservati" +"on-readiness.

                                                                              " msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager vos données. Il peut s’agir d’" -"un dépôt institutionnel, un dépôt de données exte" -"rne (lien en anglais), par le biais d’une approbation de la" -" communauté ou par l’intermédiaire de votre comité " -"d’éthique de la recherche." +"

                                                                              Les formats de données proprié" +";taires ne sont pas optimaux pour la conservation à long terme des donn" +"ées car ils nécessitent généralement un logiciel s" +"pécialisé sous licence pour les ouvrir. De tels logiciels peuven" +"t avoir des coûts associés à leur utilisation et peuvent n" +"e pas être disponibles pour d’autres personnes souhaitant ré" +";utiliser vos données à l’avenir.

                                                                              \n" +"

                                                                              Les formats de fichiers non propriét" +"aires, tels que les fichiers CSV (valeurs séparées par virgules;" +" .csv), le " +"texte (.txt) et les " +"formats audio sans perte, par exemple FLAC (.flac) sont considéré" +";s comme favorables à la conservation. Les archives de données du Royaume-Uni (lien en " +"anglais) fournissent un tableau ut" +"ile des formats de fichiers pour différents types de données (vo" +"ir aussi la bibliothèque de l'UOttawa). Gardez à l’esprit que les fichiers favorabl" +"es à la conservation et convertis d’un format à un autre p" +"euvent perdre des informations (par exemple, la conversion d’un fichier " +"TIFF non compressé en un fichier JPG compressé) ; ainsi, " +"les changements de formats de fichiers doivent être documentés.

                                                                              \n" +"

                                                                              Précisez les étapes né" +"cessaires pour vous assurer que les données que vous choisissez de cons" +"erver sont exemptes d’erreurs et sont converties dans les formats recomm" +"andés avec un risque minimal de perte de données après l&" +"rsquo;achèvement du projet. Certaines stratégies visant à" +" supprimer les éléments identificatoires dans les images, le son" +" et la vidéo (par exemple, brouiller les visages, changer de voix) supp" +"riment également des informations utiles pour d’autres chercheurs" +".

                                                                              \n" +"

                                                                              Consultez ce modèle de PGD de Portag" +"e en anglais ou en français pour plus d&rsq" +"uo;informations sur la préparation à la conservation.

                                                                              " msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, an external data reposit" -"ory, a secure institutional compute" -"r storage, or an external hard drive)." +"

                                                                              A research data repository is a technology-" +"based platform that allows for research data to be:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Deposited & " +"described
                                                                              • \n" +"
                                                                              • Stored & arc" +"hived
                                                                              • \n" +"
                                                                              • Shared & pub" +"lished
                                                                              • \n" +"
                                                                              • Discovered &" +" reused
                                                                              • \n" +"
                                                                              \n" +"

                                                                              There are different types of repositories i" +"ncluding:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Proprietary (pai" +"d for services)
                                                                              • \n" +"
                                                                              • Open source (fre" +"e to use)
                                                                              • \n" +"
                                                                              • Discipline speci" +"fic
                                                                              • \n" +"
                                                                              \n" +"

                                                                              A key feature of a trusted research data re" +"pository is the assignment of a digital object identifier (DOI) to your data -" +" a unique persistent identifier assigned by a registration agency to " +"identify digital content and provide a persistent link to its location, enabli" +"ng for long-term discovery.

                                                                              \n" +"

                                                                              Dataverse is one of the most popular resear" +"ch data repository platforms in Canada for supporting the deposition of survey" +" data and qualitative text files. Key features of Dataverse include the assign" +"ment of a DOI, the ability to make your data both open or restricted access, b" +"uilt in data citations, file versioning, and the ability to create customized " +"terms of use pertaining to your data. Contact your local university Library to" +" find out if there is a Dataverse instance available for you to use. \n" +"Re3data.org" +" is an online registry of data repo" +"sitories, which can be searched according to subject, content type and country" +". Find a list of Canadian research data repositor" +"ies." msgstr "" -"Décrivez où vos données s" -"eront stockées après l’achèvement du projet (par ex" -"emple, dans un dépôt institutionnel, un dépôt de donn&ea" -"cute;es externe (lien en anglais), sur un serveur de stockage inf" -"ormatique institutionnel sécurisé ou sur un disque dur externe)." -"" +"

                                                                              Un dépôt de données de " +"recherche est une plateforme technologique qui permet aux données de re" +"cherche d’être :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • D" +"éposées et décrites
                                                                              • \n" +"
                                                                              • S" +"tockées et archivées
                                                                              • \n" +"
                                                                              • P" +"artagées et publiées
                                                                              • \n" +"
                                                                              • D" +"écouvertes et réutilisées
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Il y a différents types de dé" +"pôt, notamment les :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • D" +"épôts propriétaires (avec frais de services)
                                                                              • \n" +"
                                                                              • D" +"épôts en libre accès (utilisation gratuits)
                                                                              • \n" +"
                                                                              • D" +"épôts par discipline
                                                                              • \n" +"
                                                                              \n" +"

                                                                              L’une des principales caractér" +"istiques d’un dépôt de données de recherche fiable e" +"st l’attribution d’un identifiant d’objet numérique (" +"DOI) à vos données, soit un identifiant persistant unique attribué par un organisme d’enregistrement pour identifier le " +"contenu numérique et fournir un lien permanent avec son emplacement, pe" +"rmettant la découverte à long terme.

                                                                              \n" +"

                                                                              Dataverse est l’une des plateformes d" +"e dépôt de données de recherche les plus populaires au Can" +"ada pour le dépôt de données d’enquête et de f" +"ichiers texte qualitatifs. Les principales caractéristiques de Datavers" +"e comprennent l’attribution d’un DOI, la possibilité de ren" +"dre vos données accessibles ou non, des citations de données int" +"égrées, la gestion des versions de fichiers et la possibilit&eac" +"ute; de créer des conditions d’utilisation personnalisées " +"pour vos données. Contactez la bibliothèque de votre universit&e" +"acute; pour savoir s’il existe une instance de Dataverse que vous pouvez" +" utiliser. 

                                                                              \n" +"

                                                                              Re3data." +"org (lien en anglais) est " +"un registre en ligne des dépôts de données qui peut ê" +";tre consulté par sujet, par type de contenu et par pays. Voici une lis" +"te de dépôts canadiens de donn&e" +"acute;es (lien en anglais)" +".

                                                                              " msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation and contact in" -"formation." +"

                                                                              Consider which data you are planning to sha" +"re or that you may need to share in order to meet funding or institutional req" +"uirements. As well, think about which data may possibly be restricted for reas" +"ons relating to confidentiality and/or privacy. If you are planning to share e" +"ither/both survey and qualitative interviews data that require de-identificati" +"on, explain how any necessary direct and indirect identifiers will be removed." +" 

                                                                              \n" +"

                                                                              Examples of file versions are:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Raw: Original data that has been collected and not yet processed" +" or analysed. For surveys this will be the original survey data, and for quali" +"tative interviews this will most often be the original audio data as well as r" +"aw transcriptions which are verbatim copies of the audio files.
                                                                              • \n" +"
                                                                              • Processed: Data that have" +" undergone some type of processing, typically for data integrity and quality a" +"ssurance purposes. For survey data, this may involve such things as deletion o" +"f cases and derivation of variables. For qualitative interview data, this may " +"involve such things as formatting, and de-identification and anonymization act" +"ivities.
                                                                              • \n" +"
                                                                              • Analyzed: Data that are a" +"lready processed and have been used for analytic purposes. Both for surveys an" +"d qualitative interviews, analyzed data can exist in different forms including" +" in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" +"s, graphs, etc.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Remember, research involving human particip" +"ants typically requires participant consent to allow for the sharing of data. " +"Along with your data, you should ideally include samples of the study informat" +"ion letter and participant consent form, as well as information relating to yo" +"ur approved institutional ethics application.

                                                                              " msgstr "" -"Indiquez les personnes responsables de la gest" -"ion des données à l’issue du projet. Indiquez leur affilia" -"tion et leurs coordonnées." +"

                                                                              Réfléchissez aux donné" +"es que vous envisagez de partager ou que vous pourriez avoir besoin de partage" +"r pour répondre aux exigences de financement ou d’établiss" +"ement. Réfléchissez aussi aux données qui pourraient &eac" +"ute;ventuellement être restreintes pour des raisons de confidentialit&ea" +"cute; ou de respect de la vie privée. Si vous envisagez de partager des" +" données d’enquêtes ou d’entrevues qualitatives qui n" +"écessitent une dépersonnalisation, expliquez comment les identif" +"icateurs directs et indirects nécessaires seront supprimés.

                                                                              \n" +"

                                                                              Voici des exemples de versions de fichiers&" +"nbsp;:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Brutes : Les données originales qui ont ét&" +"eacute; collectées et qui n’ont pas encore été trai" +"tées ou analysées. Pour les enquêtes, il s’agira des" +" données d’enquête originales, et pour les entrevues qualit" +"atives, il s’agira le plus souvent des données audio originales a" +"insi que des transcriptions brutes qui sont des copies mot à mot des fi" +"chiers audio.
                                                                              • \n" +"
                                                                              • Traitées : Les données qui ont subi un certain type de traitement, gén&eacu" +"te;ralement à des fins d’intégrité des donné" +"es et d’assurance qualité. Pour les données d’enqu&e" +"circ;te, il peut s’agir d’éléments tels que la suppr" +"ession de cas et la dérivation de variables. Pour les données d&" +"rsquo;entrevues qualitatives, il peut s’agir d’éléme" +"nts tels que le formatage et les activités de dépersonnalisation" +" et d’anonymisation.
                                                                              • " +"\n" +"
                                                                              • Analysées : Les données déjà traité" +"es et utilisées à des fins d’analyse. Tant pour les enqu&e" +"circ;tes que pour les entrevues qualitatives, les données analysé" +";es peuvent exister sous différentes formes, notamment dans des formats" +" de logiciels analytiques (par exemple SPSS, R, Nvivo) ainsi que dans des text" +"es, des tableaux, des graphiques, etc.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              N’oubliez pas que la recherche impliq" +"uant des participants humains nécessite généralement le c" +"onsentement des participants pour permettre le partage des données. En " +"plus de vos données, vous devriez idéalement inclure des é" +";chantillons de la lettre d’information sur l’étude et du f" +"ormulaire de consentement du participant, ainsi que des informations relatives" +" à votre demande éthique approuvée par l’éta" +"blissement.

                                                                              " msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened. " -"Describe the process for migrating your data formats here." +"

                                                                              It may be necessary or desirable to restric" +"t access to your data for a limited time or to a limited number of people, for" +":

                                                                              \n" +"
                                                                                \n" +"
                                                                              • ethical reasons " +"(privacy and confidentiality) 
                                                                              • \n" +"
                                                                              • economic reasons" +" (patents and commercialization)
                                                                              • \n" +"
                                                                              • intellectual pro" +"perty reasons (e.g. ownership of the original dataset on which yours is based)" +" 
                                                                              • \n" +"
                                                                              • or to comply wit" +"h a journal publishing policy. 
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Strategies to mitigate these issues may inc" +"lude: 

                                                                              \n" +"
                                                                                \n" +"
                                                                              • anonymising or a" +"ggregating data (see additional information at the UK Data Service or the Portage Network)" +"
                                                                              • \n" +"
                                                                              • gaining particip" +"ant consent for data sharing
                                                                              • \n" +"
                                                                              • gaining permissi" +"ons to share adapted or modified data
                                                                              • \n" +"
                                                                              • and agreeing to " +"a limited embargo period.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              If applicable, consider creating a Terms of" +" Use document to accompany your data.

                                                                              " msgstr "" -"De nombreux formats de fichiers proprié" -"taires, tels que ceux générés par les logiciels Microsoft" -" ou les outils d’analyse statistique, peuvent rendre les données " -"difficiles d’accès par la suite. Envisagez de transformer tout fi" -"chier propriétaire en formats c" -"onvenables à la préservation pour garantir que vos données puissent être ouvertes. D&e" -"acute;crivez le processus de migration de vos formats de données ici." +"

                                                                              Il peut être souhaitable ou né" +"cessaire de restreindre l’accès à vos données pour " +"une durée limitée ou à un nombre limité de personn" +"es, pour :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Des raisons &eac" +"ute;thiques (confidentialité) 
                                                                              • \n" +"
                                                                              • Des raisons &eac" +"ute;conomiques (brevets et commercialisation)
                                                                              • \n" +"
                                                                              • Des questions de" +" propriété intellectuelle (p. ex. La propriété du " +"jeu de données original sur lequel votre travail est fondé)
                                                                              • \n" +"
                                                                              • Ou des raisons d" +"e conformité à la politique de publication d’une revue.&nb" +"sp;
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Voici quelques stratégies pour r&eac" +"ute;duire ces enjeux : 

                                                                              \n" +"
                                                                                \n" +"
                                                                              • A" +"nonymiser ou l’agréger les données (obtenez plus d’i" +"nformations au Service des don" +"nées du Royaume-Uni [" +"lien en anglais] ou le r&ea" +"cute;seau Portage) ;<" +"/li> \n" +"
                                                                              • O" +"btenir le consentement des participants pour le partage des données&thi" +"nsp;;
                                                                              • \n" +"
                                                                              • o" +"btenir l’autorisation de partager des données adaptées ou " +"modifiées ;
                                                                              • \n" +"
                                                                              • a" +"ccepter une période d’embargo limitée.
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Envisagez de créer un document de co" +"nditions d’utilisation pour accompagner vos données, le cas &eacu" +"te;chéant. 

                                                                              " msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include but are not limited to shredding physical d" -"ocuments, making data unretrievable with support from your Information Technol" -"ogy department, or personal measures to eliminate data files." +"

                                                                              Licenses determine what uses can be made of" +" your data. Funding agencies and/or data repositories may have end-user licens" +"e requirements in place; if not, they may still be able to guide you in the de" +"velopment of a license. Once created, it is considered as best practice to inc" +"lude a copy of your end-user license with your Data Management Plan. Note that" +" only the intellectual property rights holder(s) can issue a license, so it is" +" crucial to clarify who owns those rights. 

                                                                              \n" +"

                                                                              There are several types of standard license" +"s available to researchers, such as the Creative Commons licenses" +" and the Open Data Commons license" +"s. In fact, for most datasets it is" +" easier to use a standard license rather than to devise a custom-made one. Not" +"e that even if you choose to make your data part of the public domain, it is p" +"referable to make this explicit by using a license such as Creative Commons' C" +"C0. 

                                                                              \n" +"Read more about data licensing: UK Digital Curation Centre." msgstr "" -"Décrivez les mesures qui seront prises " -"pour détruire les données de l’étude. Ces mesures p" -"euvent inclure, notamment, le déchiquetage de documents physiques, la d" -"estruction des données avec l’aide de votre service informatique " -"ou des mesures personnelles pour éliminer les fichiers de donnée" -"s." +"

                                                                              Les licences déterminent les utilisa" +"tions qui peuvent être faites de vos données. Les organismes de f" +"inancement et les dépôts de données peuvent avoir des exig" +"ences en matière de licence d’utilisation finale ; autreme" +"nt, ils peuvent vous guider dans l’élaboration d’une licenc" +"e. Une fois créée, il est préférable d’inclu" +"re une copie de votre licence d’utilisateur final avec votre plan de ges" +"tion des données. Notez que les détenteurs de droits de propri&e" +"acute;té intellectuelle sont les seuls à pouvoir délivrer" +" une licence. Il faut donc préciser à qui appartiennent ces droi" +"ts. 

                                                                              \n" +"

                                                                              Il y a plusieurs types de licences standard" +" à la disposition des chercheurs, comme les licences Cre" +"ative Commons et les licences Open Data Commons (lien en anglais). En fait, pour la plupart des ensembles de données, il es" +"t plus facile d’utiliser une licence standard plutôt que de concev" +"oir une licence sur mesure. Notez que même si vous choisissez de faire e" +"ntrer vos données dans le domaine public, il est préférab" +"le de le faire de façon explicite en utilisant une licence telle que la" +" licence CC0.

                                                                              \n" +"

                                                                              Voici plus d’informations sur les lic" +"ences de données : Centre de cu" +"ration numérique du Royaume-Uni (lien en anglais).

                                                                              " msgid "" -"Drawings, songs, poems, films, short stories, " -"performances, interactive installations, and social experiences facilitated by" -" artists are examples of data. Data on " -"artistic processes can include documentation of techniques, stages, and contex" -"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" -"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" -" create artwork. Other types of data ar" -"e audio recordings of interviews, transcripts, photographs, videos, field note" -"s, historical documents, social media posts, statistical spreadsheets, and com" -"puter code." -msgstr "" -"Les dessins, chansons, poèmes, films, n" -"ouvelles, performances, installations interactives et expériences socia" -"les menées par des artistes sont tous des exemples de données. Parmi les données sur les process" -"us artistiques figure la documentation des techniques, des étapes, des " -"contextes, des matériaux (peintures, textiles, objets trouvés) e" -"t des outils (crayons, corps, instruments de musique) de la création ar" -"tistique. Les enregistrements audio d&r" -"squo;entrevues, transcriptions, photographies, vidéos, notes d’ob" -"servation, documents historiques, publication dans les médias sociaux, " -"feuilles de calcul statistiques et codes informatiques sont d’autres typ" -"es de données." +"

                                                                              Research data management is a shared respon" +"sibility that can involve many research team members including the Principal I" +"nvestigator, co-investigators, collaborators, trainees, and research staff. So" +"me projects warrant having a dedicated research data manager position. Think a" +"bout your project and its needs, including the time and expertise that may be " +"required to manage the data and if any training will be required to prepare me" +"mbers of the research team for these duties.

                                                                              \n" +"

                                                                              Larger and more complex research projects m" +"ay additionally wish to have a research data management committee in place whi" +"ch can be responsible for data governance, including the development of polici" +"es and procedures relating to research data management. This is a useful way t" +"o tap into the collective expertise of the research team, and to establish rob" +"ust policies and protocols that will serve to guide data management throughout" +" your project.

                                                                              " +msgstr "" +"

                                                                              La gestion des données de recherche " +"est une responsabilité partagée qui peut faire appel à de" +" nombreux membres de l’équipe de recherche, notamment le chercheu" +"r principal, les co-chercheurs, les collaborateurs, les stagiaires et le perso" +"nnel de recherche. Certains projets justifient la création d’un p" +"oste de gestionnaire des données de recherche. Réfléchiss" +"ez à votre projet et à ses besoins, notamment le temps et l&rsqu" +"o;expertise qui peuvent être nécessaires pour gérer les do" +"nnées et si une formation sera nécessaire pour préparer l" +"es membres de l’équipe de recherche à ces tâches.

                                                                              \n" +"

                                                                              Les projets de recherche plus importants et" +" plus complexes peuvent également nécessiter la mise en place d&" +"rsquo;un comité de gestion des données de recherche qui serait r" +"esponsable de la gouvernance des données, y compris l’élab" +"oration de politiques et de procédures relatives à la gestion de" +"s données de recherche. C’est une façon utile de tirer par" +"ti de l’expertise collective de l’équipe de recherche et d&" +"rsquo;établir des politiques et des protocoles solides qui serviront &a" +"grave; guider la gestion des données tout au long de votre projet.

                                                                              " msgid "" -"Artwork is a prominent type of data in ABR tha" -"t is commonly used as content for analysis and interpretation. Artworks that e" -"xist as, or are documented in, image, audio, video, text, and other types of d" -"igital files facilitate research data management. The same applies to preparat" -"ory, supplemental, and discarded artworks made in the creation of a principal " -"one. Research findings you create in the form of artwork can be treated as dat" -"a if you will make them available for researchers, artists, and/or the public " -"to use as data. Information about artistic processes can also be data. Read mo" -"re on artwork and artistic processes as data at Kultur II Group and Jisc." +"It is important to think ahead and be prepared" +" for potential PI and/or research team members changes should they occur. Developing data governance policies that cl" +"early indicate a succession strategy for the project’s data will help gr" +"eatly in ensuring that the data continue to be effectively and appropriately m" +"anaged. Such policies should clearly describe the process to be followed in th" +"e event that the Principal Investigator leaves the project. In some instances," +" a co-investigator or the department or division overseeing this research will" +" assume responsibility. " msgstr "" -"Les œuvres sont des données impor" -"tantes dans la RBA, qui servent généralement de contenu pour l&r" -"squo;analyse et l’interprétation. Les œuvres document&eacut" -"e;es ou qui existent sous forme d’image, de son, de vidéo, de tex" -"te ou de fichier numérique facilitent la gestion des données de " -"recherche. Le même principe s’applique aux œuvres pré" -"liminaires, complémentaires ou écartées pendant la cr&eac" -"ute;ation de l’œuvre principale. Vous pouvez traiter vos ré" -"sultats de recherche, qui s’expriment sous forme d’œuvre, co" -"mme étant de données si elles sont accessibles aux chercheurs, a" -"ux artistes et au public. Toute information sur le processus artistique peut &" -"eacute;galement servir de données. Pour plus d’information sur le" -"s œuvres et le processus artistique comme données, veuillez consu" -"lter le Kult" -"ur II Group et Jisc (liens en a" -"nglais)." +"Il vaut mieux de penser à l’aveni" +"r et de se préparer à d’éventuels changements de ch" +"ercheur principal ou de membres de l’équipe de recherche s’" +"ils devaient se produire. L’élaboration de politiques de gouverna" +"nce des données qui précise une stratégie de succession p" +"our les données du projet aidera grandement à garantir que les d" +"onnées continuent d’être gérées de mani&egrav" +"e;re efficace et appropriée. Ces politiques doivent décrire clai" +"rement le processus à suivre dans le cas où le chercheur princip" +"al quitte le projet. Dans certains cas, un co-chercheur ou département," +" ou bien la division qui supervise cette recherche assumera la responsabilit&e" +"acute; de la relève. " msgid "" -"Researchers and artists can publish their data" -" for others to reuse. Research data repositories and government agencies are s" -"ources of published data (e.g., Federated Research Data Repository
                                                                              , Statistics Canada). Your university may have its own research data repo" -"sitory. Academic journals may host published data as supplementary material co" -"nnected to their articles. If you need help finding resources for published da" -"ta, contact your institution’s library or reach out to the Portage DMP C" -"oordinator at support@portagenetwor" -"k.ca." +"

                                                                              Estimate as early as possible the resources" +" and costs associated with the management of your project’s data. This e" +"stimate should incorporate costs incurred both during the active phases of the" +" project as well as those potentially required for support of the data once th" +"e project is finished, including preparing the data for deposit and long-term " +"preservation. 

                                                                              \n" +"

                                                                              Many funding agencies will provide support " +"for research data management, so these estimates may be included within your p" +"roposed project budget. Items that may be pertinent to mixed methods research " +"include such things as a dedicated research data management position (even if " +"it is part-time), support for the use of a digital survey data collection plat" +"form, computers/laptops, digital voice recorders, specialized software, transc" +"ription of qualitative interviews, data storage, data deposition, and data pre" +"servation.

                                                                              " msgstr "" -"Les chercheurs et les artistes publient parfoi" -"s leurs données pour que d’autres puissent les utiliser. Les donn" -"ées publiées se trouvent auprès de dépôts de" -" données de recherche et d’agences gouvernementales (" -"Dépôt fédéré de données de recherche<" -"/span>, Statistique Canada). Votre établissement pourrait avoir" -" son propre dépôt. Certaines revues hébergent des donn&eac" -"ute;es publiées comme documents complémentaires à leurs a" -"rticles. Pour savoir où trouver des données publiées, con" -"tactez la bibliothèque de votre établissement ou le coordonnateu" -"r PGD de Portage à support@p" -"ortagenetwork.ca.
                                                                              " +"

                                                                              Estimez le plus tôt possible les ress" +"ources et les coûts liés à la gestion des données d" +"e votre projet. Cette estimation doit intégrer les coûts encourus" +" pendant les phases actives du projet ainsi que les coûts potentiels li&" +"eacute;s au soutien des données une fois le projet terminé, y co" +"mpris la préparation des données pour le dépôt et l" +"a conservation à long terme. 

                                                                              \n" +"

                                                                              De nombreux organismes de financement appor" +"teront leur soutien à la gestion des données de recherche, ces e" +"stimations peuvent donc être incluses dans le budget de votre projet pro" +"posé. Les éléments pertinents pour la recherche à " +"méthodologies mixtes sont notamment un poste dédié &agrav" +"e; la gestion des données de recherche (même si c’est &agra" +"ve; temps partiel), le soutien à l’utilisation d’une platef" +"orme numérique de collecte de données d’enquête, des" +" ordinateurs portables, des dictaphones numériques, des logiciels sp&ea" +"cute;cialisés, la transcription d’entrevues qualitatives, ainsi q" +"ue le stockage, le dépôt et la conservation des données.

                                                                              " msgid "" -"Non-digital data should be digitized when poss" -"ible. Digitization is needed for many reasons, including returning artwork to " -"participants, creating records of performances, and depositing data in a repos" -"itory for reuse. When planning your documentation, consider what conditions (e" -".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," -" software (e.g., video editing program), and specialized skills (e.g., filming" -" techniques, image-editing skills) you will need. High quality documentation w" -"ill make your data more valuable to you and others." +"

                                                                              Obtaining the appropriate consent from rese" +"arch participants is an important step in assuring Research Ethics Boards that" +" the data may be shared with researchers outside your project. The consent sta" +"tement may identify certain conditions clarifying the uses of the data by othe" +"r researchers, as well as what version(s) of the data may be shared and re-use" +"d. For example, it may stipulate that the data will only be shared for non-pro" +"fit research purposes, that the data will not be linked with personally identi" +"fied data from other sources, and that only de-identified and/or aggregated da" +"ta may be reused. In the case of qualitative interviews, this may include only" +" the de-identified transcriptions of interviews and/or analytic files containi" +"ng de-identified contextual information.

                                                                              \n" +"

                                                                              Sensitive data in particular should always " +"receive special attention and be clearly identified and documented within your" +" DMP as to how they will be managed throughout your project including data col" +"lection, transferring, storage, access, and both potential sharing, and reuse<" +"/span>.

                                                                              \n" +"

                                                                              Your data management plan and deposited dat" +"a should both include an identifier or link to your approved research ethics a" +"pplication form as well as an example of any participant consent forms." +"

                                                                              " msgstr "" -"Il est important de numériser les donn&" -"eacute;es non numériques pour plusieurs raisons, notamment pour remettr" -"e les œuvres aux participants, consigner les performances et conserver l" -"es données dans un dépôt pour les réutiliser. En pl" -"anifiant votre documentation, pensez aux conditions (bon éclairage, att" -"énuation du bruit), au matériel (microphone, télép" -"hone intelligent), aux logiciels (programme de montage vidéo) et aux co" -"mpétences (techniques de tournage, édition d’images) n&eac" -"ute;cessaires. Avec une documentation de bonne qualité, vos donné" -";es seront plus valables aux autres." +"

                                                                              L’obtention du consentement appropri&" +"eacute; des participants à la recherche est une étape importante" +" pour garantir aux comités d’éthique de la recherche que l" +"es données peuvent être partagées avec des chercheurs en d" +"ehors de votre projet. La déclaration de consentement peut identifier c" +"ertaines conditions clarifiant les utilisations des données par d&rsquo" +";autres chercheurs, ainsi que les versions des données qui peuvent &eci" +"rc;tre partagées et réutilisées. Par exemple, elle peut s" +"tipuler que les données ne seront partagées qu’à de" +"s fins de recherche sans but lucratif, qu’elles ne seront pas lié" +"es à des données personnelles identificatoires provenant d&rsquo" +";autres sources et que seules les données dépersonnalisée" +"s ou agrégées peuvent être réutilisées. Dans" +" le cas d’entrevues qualitatives, cela peut inclure uniquement les trans" +"criptions dépersonnalisées des entrevues ou les fichiers analyti" +"ques contenant des informations contextuelles dépersonnalisées.<" +"/span>

                                                                              \n" +"

                                                                              Les données sensibles doivent toujou" +"rs être traitées avec une attention particulière et ê" +";tre clairement identifiées et documentées dans votre plan de ge" +"stion des données ; surtout en ce qui concerne la manière" +" dont elles seront gérées tout au long de votre projet, y compri" +"s la collecte, le transfert, le stockage, l’accès, le partage et " +"la réutilisation potentiels des données.

                                                                              \n" +"

                                                                              Votre plan de gestion des données et" +" les données déposées doivent tous deux inclure un identi" +"fiant ou un lien vers votre formulaire de demande d’éthique de la" +" recherche approuvé ainsi qu’un exemple des formulaires de consen" +"tement des participants.

                                                                              " msgid "" -"

                                                                              Open (i.e., non-proprietary) file formats a" -"re preferred when possible because they can be used by anyone, which helps ens" -"ure others can access and reuse your data in the future. However, proprietary " -"file formats may be necessary for certain arts-based methods because they have" -" special capabilities for creating and editing images, audio, video, and text." -" If you use proprietary file formats, try to select industry-standard formats " -"(i.e., those widely used by a given community) or those you can convert to ope" -"n ones. UK Data Service<" -"/a> provides a table of recommended and accept" -"able file formats for various types of data.

                                                                              -\n" -"
                                                                              Original files of artwork and its docume" -"ntation should be in uncompressed file formats to maximize data quality. Lower" -" quality file formats can be exported from the originals for other purposes (e" -".g., presentations). Read more on file formats at
                                                                              UBC Library or UK Data Service." +"

                                                                              Compliance with privacy legislation and law" +"s that may impose content restrictions in the data should be discussed with yo" +"ur institution's privacy officer, research services office, and/or research et" +"hics office. 

                                                                              \n" +"

                                                                              Include here a description concerning owner" +"ship, licensing, and intellectual property rights of the data. Terms of reuse " +"must be clearly stated, in line with the relevant legal and ethical requiremen" +"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" +"/span>

                                                                              " msgstr "" -"

                                                                              Il est préférable d’uti" -"liser des formats de fichiers ouverts (non exclusifs) parce qu’ils facil" -"itent l’accès et la réutilisation de vos données. E" -"n revanche, les formats de fichiers exclusifs sont nécessaires pour cer" -"taines méthodes basées sur les arts en raison de leurs fonctions" -" uniques pour la création et l’édition d’images, de " -"son, de vidéo et de texte. Si vous utilisez des formats de fichiers exc" -"lusifs, choisissez idéalement des formats répandus dans l’" -"industrie et la communauté, ou qui se convertissent facilement en forma" -"t ouvert. Le UK Data Service (lien en anglais) et la bibliothèque de l'U" -"Ottawa suggèrent des formats de fic" -"hiers acceptables et recommandés pour divers types de données.

                                                                              -\n" -"

                                                                              Les fichiers originaux et la documentation " -"d’une œuvre ne doivent pas être compressés pour maxim" -"iser la qualité des données. Les formats de fichiers de moindre " -"qualité peuvent être exportés à partir des originau" -"x pour divers besoins (présentations). Pour plus d’information &a" -"grave; ce sujet, voir la bibliothèque de " -"l’UBC, UK Data Service (liens en anglais), ou le gouvernement du C" -"anada.

                                                                              " +"

                                                                              Le respect de la législation relativ" +"e à la protection de la vie privée et des lois susceptibles d&rs" +"quo;imposer des restrictions sur le contenu des données doit faire l&rs" +"quo;objet d’une discussion avec le responsable de la protection de la vi" +"e privée, le bureau des services de recherche ou le comité d&rsq" +"uo;éthique de la recherche de votre établissement. <" +"/p> \n" +"

                                                                              Précisez la propriété," +" la licence et les droits de propriété intellectuelle par rappor" +"t aux données. Les conditions de réutilisation doivent êtr" +"e clairement énoncées, conformément aux exigences juridiq" +"ues et éthiques applicables le cas échéant (par exemple, " +"consentement du sujet, autorisations, restrictions, etc.).

                                                                              " msgid "" -"Good data organization includes logical folder" -" hierarchies, informative and consistent naming conventions, and clear version" -" markers for files. File names should contain information (e.g., date stamps, " -"participant codes, version numbers, location, etc.) that helps you sort and se" -"arch for files and identify the content and right versions of files. Version c" -"ontrol means tracking and organizing changes to your data by saving new versio" -"ns of files you modified and retaining the older versions. Good data organizat" -"ion practices minimize confusion when changes to data are made across time, fr" -"om different locations, and by multiple people. Read more on file naming and v" -"ersion control at UBC Library, University of Leicester," -" and UK Data Service." +"Examples of data types may include text, numer" +"ic (ASCII, binary), images, audio, video, tabular data, spatial data, experime" +"ntal, observational, and simulation/modelling data, instrumentation data, code" +"s, software and algorithms, and any other materials that may be produced in th" +"e course of the project." msgstr "" -"Pour bien organiser les données, il est" -" important d’utiliser des structures de dossiers logiques, des rè" -"gles de nomenclature concordantes et informatives, ainsi que des balises de ve" -"rsion pour les fichiers. Ces derniers devraient contenir de l’informatio" -"n (date d’origine, codes de participants, numéros de version, emp" -"lacement, etc.) qui vous permet de trier et de rechercher des fichiers, en plu" -"s d’identifier le contenu et les bonnes versions de fichiers. Le contr&o" -"circ;le de versions est une manière de suivre et d’organiser les " -"modifications de vos données, tout en sauvegardant de nouvelles version" -"s des fichiers modifiés ou en conservant les anciennes. Les bonnes prat" -"iques pour l’organisation des données minimisent la confusion au " -"fur et à mesure que les données sont modifiées par divers" -" sites ou personnes. Pour plus d’information à ce sujet, voir la " -"bibliothèque de l&rsqu" -"o;UOttawa, Université de Leicester" -" et UK D" -"ata Service (liens en anglais)." +"Les types de données sont notamment du texte, des données num&ea" +"cute;riques (ASCII, binaires), des images, du son, des vidéos, des donn" +"ées tabulaires, des données spatiales, des données exp&ea" +"cute;rimentales, d’observation, de simulation et de modélisation," +" des données d’instrumentation, des codes, des logiciels et des a" +"lgorithmes, ainsi que d’autres matériels pouvant être produ" +"its au cours du projet." msgid "" -"A poem written to analyze a transcript could b" -"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " -"the interview with participant 05. Revisions to the poem could be marked with " -"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." +"Proprietary file formats that require speciali" +"zed software or hardware are not recommended, but may be necessary for certain" +" data collection or analysis methods. Using open file formats or industry-stan" +"dard formats (e.g. those widely used by a given community) is preferred whenev" +"er possible. Read more about recommended file formats at UBC Library or UK Data Service." msgstr "" -"Un poème écrit pour analyser une" -" transcription devrait être nommé AnalysisPoem_IV05_v03.doc, ce q" -"ui signifie la version 3 du poème d’analyse pour l’ent" -"revue avec le participant 05. Les révisions du poème devrai" -"ent indiquer le numéro de version _v04, _v05, etc., ou la date d’" -"origine (_20200112, _20200315)." +"Les formats de fichiers propriétaires q" +"ui nécessitent un logiciel ou du matériel spécialis&eacut" +"e; ne sont pas recommandés, mais peuvent être nécessaires " +"pour certaines méthodes de collecte ou d’analyse des donné" +"es. L’utilisation de formats de fichiers en libre accès ou de for" +"mats standard (par exemple, ceux largement utilisés par une communaut&e" +"acute; spécifique) est préférable dans la mesure du possible. Po" +"ur en savoir plus sur les formats de fichiers recommandés, consultez le" +" site de la Bibliothèque de l’Unive" +"rsité de la C.-B. ou du Service des données du Royaume-Uni (<" +"em>liens en anglais
                                                                              )." msgid "" -"Project-level metadata can include basic infor" -"mation about your project (e.g., title, funder, principal investigator, etc.)," -" research design (e.g., background, research questions, aims, artists or artwo" -"rk informing your project, etc.) and methodology (e.g., description of artisti" -"c process and materials, interview guide, transcription process, etc.). Item-l" -"evel metadata should include basic information about artworks and their docume" -"ntation (e.g., creator, date, subject, copyright, file format, equipment used " -"for documentation, etc.)." +"

                                                                              It is important to keep track of different " +"copies and versions of files, files held in different formats or locations, an" +"d any information cross-referenced between files. 

                                                                              \n" +"Logical file structures, informative naming co" +"nventions, and clear indications of file versions all contribute to better use" +" of your data during and after your research project. These practices will hel" +"p ensure that you and your research team are using the appropriate version of " +"your data, and will minimize confusion regarding copies on different computers" +", on different media, in different formats, and/or in different locations. Rea" +"d more about file naming and version control at UBC Library or UK Data Service" +"." msgstr "" -"Les métadonnées d’un proje" -"t peuvent inclure de l’information générale sur celui-ci (" -"titre, bailleur de fonds, chercheur principal, etc.), le plan de recherche (co" -"ntexte, questions de recherche, objectifs, œuvres sur lesquels le projet" -" repose, etc.) et la méthodologie (description du processus artistique " -"et des matériaux, guide d’entrevue, processus de transcription, e" -"tc.) Les métadonnées sur chaque élément devraient " -"inclure de l’information générale sur les œuvres et " -"leur documentation (créateur, date, sujet, droit d’auteur, format" -" de fichier, équipement utilisé pour la documentation, etc.)." +"

                                                                              Il est important de garder une trace des di" +"fférentes copies et versions de fichiers, des fichiers détenus d" +"ans différents formats ou emplacements, et de toute information crois&e" +"acute;e entre les fichiers. 

                                                                              Des structures de fichiers logiques, des conventions d’appellation" +" informatives et des indications claires sur les versions des fichiers contrib" +"uent à une meilleure utilisation de vos données pendant et apr&e" +"grave;s votre projet de recherche. Ces pratiques permettront de s’assure" +"r que vous et votre équipe de recherche utilisez la version appropri&ea" +"cute;e de vos données et de minimiser la confusion concernant les copie" +"s sur différents ordinateurs ou sur différents supports informat" +"iques. Voici des liens pour plus de renseignements sur la nomenclature et la g" +"estion de versions des fichiers : Bibliothèque de l’Université d'Ottawa et Service d" +"es données du Royaume-Uni (lien en anglais).

                                                                              " msgid "" -"

                                                                              Cornell University defines metadata as “documentation that describes data” " -"(see also Concordia University Library). Creating good metadata includes providing inf" -"ormation about your project as well as each item in your database, and any oth" -"er contextual information needed for you and others to interpret and reuse you" -"r data in the future. CESSDA and UK Data Service<" -"/a> provide examples of project- and item-leve" -"l metadata. Because arts-based methods tend to be customized and fluid, descri" -"bing them in your project-level metadata is important.

                                                                              " +"

                                                                              Some types of documentation typically provi" +"ded for research data and software include: 

                                                                              \n" +"
                                                                              " msgstr "" -"

                                                                              L’I" -"NRAE définit les méta" -"données comme étant de la « documentation dé" -"crivant des données » (voir aussi la bibliothèque de l’Université Concordia; lien" -" en anglais). En créant de " -"bonnes métadonnées, vous donnez de l’information sur votre" -" projet, ainsi que chaque élément de votre base de donnée" -"s et d’autres renseignements contextuels nécessaires pour interpr" -"éter et réutiliser vos données. Le CESSDA et UK Data Service (<" -"em>liens en anglais) proposent des exemples de métadonnées sur les" -" projets et leurs divers éléments. Les méthodes bas&eacut" -"e;es sur l’art sont souvent très personnelles et fluides, donc il" -" est important de les décrire dans vos métadonnées.

                                                                              " +"

                                                                              Voici quelques types de documents gé" +"néralement fournis pour les données et les logiciels de recherch" +"e : 

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Fichier README, " +"guide de codification ou dictionnaire de données
                                                                              • \n" +"
                                                                              • Carnets de laboratoire électroniques tels" +" que Jupyter Notebook (<" +"/span>lien en anglais)
                                                                              • \n" +"
                                                                              " msgid "" -"Dublin Core and DDI are two widely used general metadata standards. Disc" -"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" -" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" -"tadata standards they use." +"Typically, good documentation includes high-le" +"vel information about the study as well as data-level descriptions of the cont" +"ent. It may also include other contextual information required to make the dat" +"a usable by other researchers, such as: your research methodology, definitions" +" of variables, vocabularies, classification systems, units of measurement, ass" +"umptions made, formats and file types of the data, a description of the data c" +"apture and collection methods, provenance of various data sources (original so" +"urce of data, and how the data have been transformed), explanation of data ana" +"lysis performed (including syntax files), the associated script(s), and annota" +"tion of relevant software. " msgstr "" -"Dublin Core et DDI (liens en anglais) sont deux normes" -" de métadonnées très répandues. Les normes qu&rsqu" -"o;utilisent les musées et galeries (<" -"span style=\"font-weight: 400;\">CCO," -" VRA Core; lien en anglais) sont utiles pour décrire les éléments d’une " -"œuvre. Vous pouvez aussi explorer les dépôts de donné" -";es spécialisés dans les arts que suggère r" -"e3data.org (lien en anglais). Vous y trouverez des exemples de métadonnées utilisée" -"s." - -msgid "" -"A metadata standard is a set of established ca" -"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" -"ne-readable, which is essential for depositing data in repositories and making" -" them easily discoverable by search engines. While no specific metadata standa" -"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" -"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" -"ntact your institution’s library or reach out to the Portage DMP Coordin" -"ator at support@portagenetwork.ca." -msgstr "" -"Une norme de métadonnées est un " -"ensemble de catégories établies qui servent à décr" -"ire vos données. Vos méta" -"données sont ainsi concordantes, structurées et lisibles à" -"; la machine, ce qui est essentiel pour verser des données dans un d&ea" -"cute;pôt et qu’elles soient facilement découvrable par des " -"moteurs de recherche. Il n’y a pas de norme de métadonnées" -" propre à la RBA, mais vous pouvez adopter une norme géné" -"rale ou d’un autre champ de pratique (pour plus d’information, consultez la bibliothèque de l’Université Q" -"ueen’s et le Digital Curation Centre; liens en anglais). Pour obtenir de l’aide dans le choix d&rsquo" -";une norme de métadonnées, contactez la bibliothèque de v" -"otre établissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca." +"En règle générale, une bo" +"nne documentation comprend des informations générales sur l&rsqu" +"o;étude ainsi que des descriptions du contenu en ce qui concerne les do" +"nnées. Elle peut aussi inclure des informations contextuelles pour rend" +"re les données utilisables par d’autres chercheurs, notamment vot" +"re méthodologie de recherche, les définitions des variables, les" +" vocabulaires, les systèmes de classification, les unités de mes" +"ure, les hypothèses formulées, les formats et les types de fichi" +"ers des données, une description des méthodes de saisie et de co" +"llecte des données, la provenance des diverses sources de donnée" +"s (la source originale des données et la manière dont les donn&e" +"acute;es ont été transformées), une explication de l&rsqu" +"o;analyse des données effectuée (y compris les fichiers de synta" +"xe), les scripts associés et l’annotation des logiciels pertinent" +"s. " msgid "" -"One way to record metadata is to place it in a" -" separate text file (i.e., README file) that will accompany your data and to u" -"pdate it throughout your project. Cornell University provides a README file template you can " -"adapt. You can also embed item-level metadata in certain files, such as placin" -"g contextual information and participant details for an interview in a summary" -" page at the beginning of a transcript. Creating a data list, a spreadsheet th" -"at collects all your item-level metadata under key categories, will help you a" -"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." +"

                                                                              There are many general and domain-specific " +"metadata standards that can be used to manage research data. These machine-rea" +"dable, openly-accessible standards are often based on language-independent dat" +"a formats such as XML, RDF, and JSON, which enables the effective exchange of " +"information between users and systems. Existing, accepted community standards " +"should be used wherever possible, including when recording intermediate result" +"s. 

                                                                              \n" +"

                                                                              Where community standards are absent or ina" +"dequate, this should be documented along with any proposed solutions or remedi" +"es. You may wish to use this DMP Template to propose alternate strategies that" +" will facilitate metadata interoperability in your field.

                                                                              " msgstr "" -"Pour enregistrer des métadonnées" -", vous pouvez inclure avec vos données un fichier texte distinct (fichi" -"er README) que vous modifiez tout au long du projet. L’UBC" -" propose un modèle de fichier README qui est personnalisable. Il e" -"st aussi possible d’intégrer dans certains fichiers des mé" -"tadonnées sur les éléments, notamment avec de l’inf" -"ormation contextuelle et des détails sur les participants à la p" -"age sommaire et au début d’une transcription. En créant un" -"e liste de données, une feuille de calcul qui rassemble toutes vos m&ea" -"cute;tadonnées sur les éléments dans des catégorie" -"s clés, il est plus facile pour vous et autrui de repérer les &e" -"acute;léments, leurs particularités, ainsi que les tendances qui" -" se recoupent. Le UK Data " -"Service (lien en anglais) " -"offre une liste modèle de données qui est personnalisable." +"

                                                                              Il existe de nombreuses normes de mé" +"tadonnées générales et spécifiques à un dom" +"aine qui peuvent être utilisées pour gérer les donné" +";es de recherche. Ces normes de lecture par machine et d’accès un" +"iversel souvent basées sur des formats de données indépen" +"dants du langage tels que XML, RDF et JSON permettent un échange effica" +"ce d’informations entre les utilisateurs et les systèmes. Les nor" +"mes communautaires existantes et acceptées devraient être utilis&" +"eacute;es dans la mesure du possible, y compris pour l’enregistrement de" +"s résultats intermédiaires. 

                                                                              \n" +"

                                                                              Vous devez documenter les cas pour lesquels" +" les normes communautaires sont absentes ou inadéquates ainsi que toute" +"s les solutions proposées pour y remédier. Vous pouvez utiliser " +"ce modèle de PGD pour proposer des stratégies alternatives qui f" +"aciliteront l’interopérabilité des métadonné" +"es dans votre domaine.

                                                                              " msgid "" -"Creating metadata should not be left to the en" -"d of your project. A plan that lays out how, when, where, and by whom metadata" -" will be captured during your project will help ensure your metadata is accura" -"te, consistent, and complete. You can draw metadata from files you have alread" -"y created or will create for your project (e.g., proposals, notebooks, intervi" -"ew guides, file properties of digital images). If your arts-based methods shif" -"t during your project, make sure to record these changes in your metadata. The" -" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" -"on markers)." +"

                                                                              There are a wide variety of metadata standa" +"rds available to choose from, and you can learn more about these options at UK Digital Curation Centre's Disciplinary Metadata, FAIRsharing standards, RDA Metadata Standards Direc" +"tory, Seeing Standards: A Visu" +"alization of the Metadata Universe." +"

                                                                              " msgstr "" -"N’attendez pas à la fin de votre " -"projet pour créer des métadonnées. Pour avoir des m&eacut" -"e;tadonnées précises, concordantes et complètes, é" -"laborez un plan qui décrit comment, quand, où et par qui les m&e" -"acute;tadonnées seront enregistrées pendant le projet. Vous pouv" -"ez extraire des métadonnées de fichiers que vous avez déj" -"à créés ou que vous comptez créer pour votre proje" -"t (propositions, carnets de note, guides d’entrevue, droit de propri&eac" -"ute;té des fichiers ou images numériques). Si vos méthode" -"s basées sur l’art changent en cours de route, n’oubliez pa" -"s de noter ces changements dans vos métadonnées. Les pratiques p" -"our l’organisation des données servent également à " -"l’organisation des métadonnées (conventions de nomenclature cohérentes, balises et version" -"s de fichier)." +"

                                                                              Il y a une grande variété de " +"normes de métadonnées parmi lesquelles vous pouvez choisir. Voic" +"i des liens pour en savoir plus sur ces options : M&" +"eacute;tadonnées disciplinaires du Centre de curation numérique " +"du Royaume-Uni, Normes de par" +"tage FAIR, R&ea" +"cute;pertoire des normes en matière de métadonnées de la " +"RDA, Normes de visualisation&n" +"bsp;: une vue de l’univers des métadonnées (liens " +"en anglais).

                                                                              " msgid "" -"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" -"tc., and for how long this storage will need to be active. Take into account f" -"ile size, file versions, backups, and the growth of your data, if you will cre" -"ate and/or collect data over several months or years." +"Consider how you will capture information duri" +"ng the project and where it will be recorded to ensure the accuracy, consisten" +"cy, and completeness of your documentation. Often, resources you've already cr" +"eated can contribute to this (e.g. publications, websites, progress reports, e" +"tc.). It is useful to consult regularly with members of the research team to c" +"apture potential changes in data collection or processing that need to be refl" +"ected in the documentation. Individual roles and workflows should include gath" +"ering, creating or maintaining data documentation as a key element." msgstr "" -"Estimez l’espace de stockage qu’il" -" vous faudra en mégaoctets, gigaoctets ou téraoctets, ainsi que " -"la durée de stockage actif nécessaire. Tenez compte de la taille" -" de fichier, des versions de fichier, des sauvegardes et de la croissance de v" -"os données. Il est aussi important de déterminer si vous voulez " -"créer ou recueillir des données pendant plusieurs mois ou ann&ea" -"cute;es. " +"Réfléchissez à la manière dont vous allez saisir l" +"’information au cours du projet et à l’endroit où el" +"le sera enregistrée afin de garantir l’exactitude, la cohé" +"rence et l’exhaustivité de votre documentation. Souvent, les ress" +"ources que vous avez déjà créées peuvent y contrib" +"uer (par exemple, des publications, des sites web, des rapports d’avance" +"ment, etc.). Consultez régulièrement les membres de l’&eac" +"ute;quipe de recherche afin de saisir les changements potentiels dans la colle" +"cte ou le traitement des données qui doivent être reflét&e" +"acute;s dans la documentation. Les rôles individuels et les flux de trav" +"ail doivent inclure la collecte, la création ou la tenue à jour " +"de la documentation des données comme élément clé." msgid "" -"

                                                                              Digital data can be stored on optical or ma" -"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" -"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" -"). Each storage method has pros and cons you should consider. Having multiple " -"copies of your data and not storing them all in the same physical location red" -"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" -" three copies of your data; store the copies on two different media; keep one " -"backup copy offsite. A regular backup schedule reduces the risk of losing rece" -"nt versions of your data. 

                                                                              -\n" -"Securely accessible servers or cloud-based env" -"ironments with regular backup processes are recommended for your offsite backu" -"p copy; however, you should know about the consequences of storing your data o" -"utside of Canada, especially in relation to privacy. Data stored in different " -"countries is subject to their laws, which may differ from those in Canada. Ens" -"ure your data storage and backup methods align with any requirements of your f" -"under, institution, and research ethics office. Read more on storage and backu" -"p practices at the U" -"niversity of Sheffield Library and UK Data Service" +"ARC resources usually contain both computation" +"al resources and data storage resources. Please describe only those ARC resour" +"ces that are directly applicable to the proposed work. Include existing resour" +"ces and any external resources that may be made available." msgstr "" -"

                                                                              Les données numériques peuven" -"t être stockées sur des supports optiques ou magnétiques a" -"movibles (DVD, clés USB), fixes (disques durs d’ordinateur) ou co" -"nnectés en réseau (lecteurs réseau, serveurs en ligne). C" -"haque méthode de stockage comporte des avantages et des inconvén" -"ients. Avec plusieurs copies de vos données qui sont stockées &a" -"grave; divers endroits, vous risquez moins de les perdre. Suivez la règ" -"le du 3-2-1 pour la sauvegarde : avoir au moins trois copies de donn&eacu" -"te;es ; stocker les données sur deux supports différents&" -"thinsp;; garder une copie de sauvegarde dans un endroit externe. Planifier la " -"sauvegarde réduit également le risque de perdre les versions de " -"vos données. 

                                                                              Le" -"s serveurs accessibles de façon sécuritaire ou les environnement" -"s en ligne (avec un processus de sauvegarde régulière) sont reco" -"mmandés pour les copies de sauvegarde externes. En revanche, il est imp" -"ortant de comprendre les conséquences de stocker vos données &ag" -"rave; l’extérieur du Canada, surtout en ce qui concerne la protec" -"tion de la vie privée. Les données sont soumises aux disposition" -"s législatives des pays où elles sont stockées, qui ne so" -"nt pas forcément les mêmes que celles du Canada. Choisissez des m" -"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" -"u bailleur de fonds, de l’établissement et du bureau d’&eac" -"ute;thique de la recherche. Pour plus d’information à ce sujet, c" -"onsultez la <" -"span style=\"font-weight: 400;\">bibliothèque de l’Université" -"; Sheffield et UK Data Service (liens en anglais).

                                                                              " +"Les ressources d’informatique de recherche avancée contiennent g&" +"eacute;néralement des ressources de calcul et des ressources de stockag" +"e de données. Décrivez uniquement les ressources qui sont direct" +"ement applicables au travail proposé. Indiquez les ressources existante" +"s et toutes les ressources externes qui peuvent être mises à disp" +"osition." msgid "" -"Many universities offer networked file storage" -" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" -"utions a modest amount of storage and other cloud resources for free. Contact " -"your institution’s IT services to find out what secure data storage serv" -"ices are available to you." -msgstr "" -"Plusieurs universités offrent un servic" -"e de stockage de fichiers en réseau avec sauvegarde automatique. Le " -"Service d’accès rapide de calcul Canada offre aux chercheurs principaux d’établissement" -"s postsecondaires une petite quantité de stockage et d’autres res" -"sources en ligne gratuitement. Pour en apprendre plus sur les services de stoc" -"kage sécurisés, contactez la bibliothèque ou le service i" -"nformatique de votre établissement." +"

                                                                              You may wish to provide the following infor" +"mation:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Startup allocati" +"on limit
                                                                              • \n" +"
                                                                              • System architect" +"ure: System component and configuration
                                                                              • \n" +"
                                                                                  \n" +"
                                                                                • CPU nodes" +"
                                                                                • \n" +"
                                                                                • GPU nodes" +"
                                                                                • \n" +"
                                                                                • Large memory nod" +"es
                                                                                • \n" +"
                                                                                \n" +"
                                                                              • Performance: e.g" +"., FLOPs, benchmark
                                                                              • \n" +"
                                                                              • Associated syste" +"ms software environment
                                                                              • \n" +"
                                                                              • Supported applic" +"ation software 
                                                                              • \n" +"
                                                                              • Data transfer
                                                                              • \n" +"
                                                                              • Storage <" +"/li> \n" +"
                                                                              " +msgstr "" +"

                                                                              Vous pouvez fournir les informations suivan" +"tes :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Limite de l&rsqu" +"o;allocation de démarrage
                                                                              • \n" +"
                                                                              • Architecture du " +"système : composants et configuration du système
                                                                              • \n" +"
                                                                                  \n" +"
                                                                                • Nœuds CPU<" +"/span>
                                                                                • \n" +"
                                                                                • Nœuds GPU<" +"/span>
                                                                                • \n" +"
                                                                                • Grands nœu" +"ds de mémoire
                                                                                • \n" +"
                                                                                \n" +"
                                                                              • Performance : pa" +"r exemple, FLOPs, références
                                                                              • \n" +"
                                                                              • Environnement lo" +"giciel des systèmes associés
                                                                              • \n" +"
                                                                              • Logiciels d&rsqu" +"o;application supportés 
                                                                              • \n" +"
                                                                              • Transfert de don" +"nées
                                                                              • \n" +"
                                                                              • Stockage<" +"/li> \n" +"
                                                                              " msgid "" -"Describe how you will store your non-digital d" -"ata and what you will need to do so (e.g., physical space, equipment, special " -"conditions). Include where you will store these data and for how long. Ensure " -"your storage methods for non-digital data align with any requirements of your " -"funder, institution, and research ethics office." +"It is important to document the technical details of all the computational and data s" +"torage resources, and associated system" +"s and software environments you plan to use to perform the simulations and ana" +"lysis proposed in this research project. " msgstr "" -"Décrivez les mesures nécessaires" -" à prendre pour stocker vos données non numériques (espac" -"e physique, équipement, conditions spéciales). Précisez l" -"’endroit et la durée du stockage des données. Suivez des m" -"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" -"u bailleur de fonds, de l’établissement et du bureau d’&eac" -"ute;thique de la recherche." +"Il est important de documenter les détails techniques de toutes les res" +"sources de calcul et de stockage de données, ainsi que des systè" +"mes et environnements logiciels associés que vous comptez utiliser pour" +" effectuer les simulations et analyses proposées dans ce projet de rech" +"erche." msgid "" -"

                                                                              Research team members, other collaborators," -" participants, and independent contractors (e.g., transcriptionists, videograp" -"hers) are examples of individuals who can transfer, access, and modify data in" -" your project, often from different locations. Ideally, a strategy for these a" -"ctivities facilitates cooperation, ensures data security, and can be adopted w" -"ith minimal instructions or training. If applicable, your strategy should addr" -"ess how raw data from portable recording devices will be transferred to your p" -"roject database (e.g., uploading raw video data within 48 hours, then erasing " -"the camera).

                                                                              -\n" -"

                                                                              Relying on email to transfer data is not a " -"robust or secure solution, especially for exchanging large files or artwork, t" -"ranscripts, and other data with sensitive information. Third-party commercial " -"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" -"ls, but may not be permanent or secure, and are often located outside Canada. " -"Contact your librarian and IT services to develop a solution for your project." -"

                                                                              " +"

                                                                              Examples of data analysis frameworks includ" +"e:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Hadoop \n" +"
                                                                              • Spark \n" +"
                                                                              " msgstr "" -"

                                                                              Les membres de l’équipe de rec" -"herche, autres collaborateurs, participants et travailleurs autonomes (transcr" -"ipteurs, vidéographes) participent au transfert, à l’acc&e" -"grave;s et à la modification des données de projet, souvent &agr" -"ave; partir de divers endroits. Les stratégies qui encadrent ces activi" -"tés doivent faciliter la coopération et préserver la s&ea" -"cute;curité des données. On doit aussi pouvoir les mettre en &oe" -"lig;uvre avec un minimum de directives ou de formation. Votre stratégie" -" devrait indiquer comment les données brutes des appareils d’enre" -"gistrement portatifs sont transférées à la base de donn&e" -"acute;es de votre projet (données vidéo brutes télé" -";chargées en 48 heures, puis effacées de la caméra)," -" le cas échéant.

                                                                              -\n" -"

                                                                              Le transfert de données par courrier" -" électronique n’est pas une solution robuste ou sécuritair" -"e, surtout pour l’échange de fichiers volumineux ou d’&oeli" -"g;uvres, transcriptions et autres données sensibles. Les services de pa" -"rtage de fichier commerciaux qui sont exploités par des tiers (Google D" -"rive, Dropbox) sont pratiques, mais ils ne sont pas forcément permanent" -"s ou sécuritaires, en plus d’être situés en dehors d" -"u Canada dans de nombreux cas. Contactez le bibliothécaire en chef de v" -"otre établissement et les services de TI afin de trouver une solution p" -"our votre projet.

                                                                              " +"

                                                                              Voici des exemples de cadre d’analyse des données :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Hadoop \n" +"
                                                                              • Spark \n" +"
                                                                              " msgid "" -"

                                                                              Preservation means storing data in ways tha" -"t make them accessible and reuseable to you and others long after your project" -" ends (for more, see Ghent " -"University). Many factors inform pr" -"eservation, including policies of funding agencies and academic publishers, an" -" understanding of the enduring value of a dataset, and ethical frameworks info" -"rming a project (e.g., making artwork co-created with community members access" -"ible to their community). 

                                                                              -\n" -"Creating a “living will” for your " -"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" -"ing how future researchers, artists, and others will be able to access and reu" -"se your data. If applicable, consider the needs of participants and collaborat" -"ors who will co-create and/or co-own artwork and other data. Your “livin" -"g will” can address where you will store your data, how they will be acc" -"essed, how long they will be accessible for, and how much digital storage spac" -"e you will need." +"

                                                                              Examples of software tools include:<" +"/p> \n" +"

                                                                                \n" +"
                                                                              • High-performance" +" compilers, debuggers, analyzers, editors 
                                                                              • \n" +"
                                                                              • Locally develope" +"d custom libraries and application packages for software development \n" +"
                                                                              " msgstr "" -"

                                                                              La préservation signifie de stocker " -"des données pour qu’elles soient accessibles et réutilisab" -"les pour vous et autrui bien après votre projet (pour plus d’info" -"rmation à ce sujet, voir l’Université G" -"hent; lien en anglais). Elle d&ea" -"cute;pend de plusieurs facteurs, dont les politiques des agences de financemen" -"t et des éditeurs de publications savantes. Il faut également co" -"nsidérer la valeur à long terme des ensembles de données," -" ainsi que les cadres éthiques d’un projet (par exemple, une comm" -"unauté qui a participé à la création d’une &" -"oelig;uvre doit pouvoir y accéder). 

                                                                              -\n" -"

                                                                              En rédigeant un « testa" -"ment de vie » pour vos données, vous définissez vos" -" besoins de préservation en fonction des données ou d’autr" -"es facteurs. Il s’agit d’un plan pour décrire comment les c" -"hercheurs, artistes et autres intervenants pourront accéder à vo" -"s données ou les réutiliser. Le cas échéant, pense" -"z aux besoins des participants et aux collaborateurs qui participent à " -"la création ou qui sont en partie propriétaires de l’&oeli" -"g;uvre et des données. Votre « testament de vie &ra" -"quo; définit où vous stockez vos données, la métho" -"de et durée de l’accès, ainsi que l’espace de stocka" -"ge nécessaire.

                                                                              " +"

                                                                              Voici des exemples d’outils logiciels :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Débogueur" +"s, analyseurs, éditeurs, compilateurs à haute performance
                                                                              • \n" +"
                                                                              • Bibliothèques et progiciels cré&ea" +"cute;s localement pour le développement de logiciels
                                                                              • \n" +"
                                                                              " msgid "" -"Deposit in a data repository is one way to pre" -"serve your data, but keep in mind that not all repositories have a preservatio" -"n mandate. Many repositories focus on sharing data, not preserving them, meani" -"ng they will store and make your data accessible for a few years, but not long" -" term. It can be difficult to distinguish repositories with preservation servi" -"ces from those without, so carefully read the policies of repositories you are" -" considering for preservation and, if possible, before your project begins. If" -" you need or want to place special conditions on your data, check if the repos" -"itory will accommodate them and, if so, get written confirmation. Read more on" -" choosing a repository at OpenAIRE." +"

                                                                              (Re)using code/software requires, at minimu" +"m, information about both the environment and expected input/output. Log all p" +"arameter values, including when setting random seeds to predetermined values, " +"and make note of the requirements of the computational environment (software d" +"ependencies, etc.) Track your software development with versioning control sys" +"tems, such as GitHub Bitbucket, " +"GitLab, etc. 

                                                                              \n" +"

                                                                              If your research and/or software are built " +"upon others’ software code, it is good practice to acknowledge and cite " +"the software you use in the same fashion as you cite papers to both identify t" +"he software and to give credit to its developers.

                                                                              \n" +"For more information on proper software docume" +"ntation and citation practices, see: Ten simple rules for documenting scientific software and Software Citation Principles.
                                                                              " msgstr "" -"Les dépôts de données sont" -" une solution de préservation, mais n’oubliez pas qu’ils n&" -"rsquo;ont pas tous le même mandat à cet égard. Plusieurs d" -"épôts sont conçus pour le partage de données et non" -" la préservation. Par conséquent, vos données y sont acce" -"ssibles pendant quelques années, mais elles ne le sont pas à lon" -"g terme. Il est parfois difficile de savoir si un dépôt offre des" -" services de préservation, donc il est important de lire les politiques" -" à ce sujet, idéalement avant de commencer votre projet. Si vous" -" voulez des conditions particulières pour vos données, vous deve" -"z d’abord vous renseigner pour déterminer si le dépô" -"t peut y répondre. Le cas échéant, demandez une confirmat" -"ion écrite. Pour plus d’information à ce sujet, consultez " -"OpenAIRE (lien en anglais)." +"

                                                                              L’utilisation ou la réutilisat" +"ion d’un code ou d’un logiciel nécessite, au minimum, de l&" +"rsquo;information sur l’environnement et les entrées ou les sorti" +"es attendues. Enregistrez toutes les valeurs des paramètres, notamment " +"lorsque vous fixez des graines aléatoires à des valeurs pr&eacut" +"e;déterminées, et prenez note des exigences de l’environne" +"ment de calcul (dépendances des logiciels, etc.). Suivez le déve" +"loppement de votre logiciel à l’aide de systèmes de gestio" +"n des versions, tels que GitHub, Bitbucket<" +"/span>, GitLab, etc (liens en anglais" +"). 

                                                                              Si vos recherches ou vos logiciels sont basés " +"sur le code de logiciel d’autrui, il est bon de reconnaître et de " +"citer le logiciel que vous utilisez de la même manière que vous c" +"itez des articles, à la fois pour identifier le logiciel et pour attrib" +"uer le mérite à ses développeurs.

                                                                              Pour plus d’informations sur les pratiques ap" +"propriées de documentation et de citation des logiciels, consultez les " +"liens suivants : Dix r&" +"egrave;gles simples pour documenter les logiciels scientifiques et Principes de citation des logiciels (liens en anglais).

                                                                              " msgid "" -"

                                                                              Data repositories labelled as “truste" -"d” or “trustworthy” indicate they have met high standards fo" -"r receiving, storing, accessing, and preserving data through an external certi" -"fication process. Two certifications are Trustworthy Digital Repository an" -"d CoreTrustSeal

                                                                              " -" -\n" -"A repository that lacks certification may stil" -"l be a valid preservation option. Many established repositories in Canada have" -" not gone through a certification process yet. For repositories without certif" -"ication, you can evaluate their quality by comparing their policies to the sta" -"ndards of a certification. Read more on trusted data repositories at the University" -" of Edinburgh and OpenAIRE." +"

                                                                              Storage-space estimates should take into ac" +"count requirements for file versioning, backups, and growth over time, particu" +"larly if you are collecting data over a long period (e.g. several months or ye" +"ars). Similarly, a long-term storage plan is necessary if you intend to retain" +" your data after the research project.

                                                                              " msgstr "" -"

                                                                              Pour obtenir la désignation de &laqu" -"o; fiable », les dépôts doivent suivre un pro" -"cessus d’homologation externe pour démontrer qu’ils r&eacut" -"e;pondent à de strictes normes en matière de réception, s" -"tockage, accès et préservation. Il existe deux types de certific" -"ation : Dépôt<" -"/a> numérique fiable et CoreTrustSeal (liens en anglais)" -".

                                                                              Sans nécessairement avoir" -" l’une ou l’autre de celles-ci, certains dépôts sont " -"néanmoins une option de préservation valable. Plusieurs dé" -";pôts reconnus au Canada n’ont pas encore suivi ce processus d&rsq" -"uo;homologation. Le cas échéant, évaluez la qualité" -"; de ces dépôts en comparant leurs politiques aux normes de certi" -"fication. Pour plus d’information à ce sujet, consultez l’<" -"/span>Université d’Edinburgh et OpenAIRE " -"(liens en anglais).

                                                                              " +"

                                                                              Les estimations de l’espace de stockage doivent prendre en compte les" +" besoins en matière de versions de fichiers, de sauvegardes et de crois" +"sance au fil du temps, surtout si vous collectez des données sur une lo" +"ngue période (par exemple plusieurs mois ou années). De mê" +"me, un plan de stockage à long terme est nécessaire si vous avez" +" l’intention de conserver vos données après le projet de r" +"echerche.

                                                                              " msgid "" -"Open file formats are considered preservation-" -"friendly because of their accessibility. Proprietary file formats are not opti" -"mal for preservation because they can have accessibility barriers (e.g., needi" -"ng specialized licensed software to open). Keep in mind that preservation-frie" -"ndly files converted from one format to another may lose information (e.g., co" -"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" -"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." +"

                                                                              Data may be stored using optical or magneti" +"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" +" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" +"rvers). Each storage method has benefits and drawbacks that should be consider" +"ed when determining the most appropriate solution. 

                                                                              \n" +"

                                                                              The risk of losing data due to human error," +" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" +"ackup rule: Have at least three copies of your data; store the copies on two d" +"ifferent media; keep one backup copy offsite.

                                                                              \n" +"Further information on storage and backup prac" +"tices is available from the University of Sheffield Library" +" and the " +"UK Data Service." msgstr "" -"Les formats de fichiers ouverts sont adapt&eac" -"ute;s à la préservation parce qu’ils sont accessibles. Les" -" formats exclusifs sont moins recommandés parce que l’accè" -"s est parfois limité (il faut par exemple un logiciel sous licence pour" -" ouvrir le fichier). N’oubliez pas que certaines informations peuvent se" -" perdre en convertissant un fichier d’un format à l’autre (" -"convertir par exemple un fichier TIFF non compressé en fichier JPG comp" -"ressé), donc il faut documenter et vérifier tous les changements" -" de format. Voir le UK Data Ser" -"vice (lien en anglais) ou " -"la bibliothèque de l&r" -"squo;UOttawa pour une liste de formats adaptés à la pr&eacut" -"e;servation." +"

                                                                              Les données peuvent être stock" +"ées sur des supports optiques ou magnétiques ; ceux-ci pe" +"uvent être amovibles (par exemple, des DVD et des clés USB), fixe" +"s (par exemple, des disques durs de bureau ou d’ordinateur portable) ou " +"en réseau (par exemple, des lecteurs en réseau ou des serveurs i" +"nfonuagiques). Chaque méthode de stockage présente des avantages" +" et des inconvénients qui doivent être pris en compte pour d&eacu" +"te;terminer la solution la plus appropriée. 

                                                                              Le risque de perdre des données en raison " +"d’une erreur humaine, d’une catastrophe naturelle ou d’un au" +"tre incident peut être atténué en suivant la règle " +"de sauvegarde 3-2-1 : ayez au moins trois copies de vos donné" +"es, stockez les copies sur deux supports différents et conservez une co" +"pie de sauvegarde hors site.

                                                                              Voici plus de renseignements sur les pratiques de stockage et de sauvegarde d" +"e la Bibliothèque de l’Université de Sh" +"effield et du Service des données du Royaume-Uni (liens en anglais).

                                                                              " msgid "" -"Converting to preservation-friendly file forma" -"ts, checking for unintended changes to files, confirming metadata is complete," -" and gathering supporting documents are practices, among others, that will hel" -"p ensure your data are ready for preservation." +"

                                                                              Technical detail example:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Quota 
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Examples of systems:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • High-performance archival/storage storage&" +"nbsp;
                                                                              • \n" +"
                                                                              • Database
                                                                              • \n" +"
                                                                              • Web server
                                                                              • \n" +"
                                                                              • Data transfer
                                                                              • \n" +"
                                                                              • Cloud platforms, such as Amazon Web Servic" +"es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," +" One Drive
                                                                              • \n" +"
                                                                              " msgstr "" -"Pour savoir si votre préservation est p" -"rête, vous devez déterminer si les formats de fichier sont adapt&" -"eacute;s, vérifier s’il y a eu des changements imprévus au" -"x fichiers, confirmer que vos métadonnées sont prêtes et r" -"assembler les documents à l’appui." +"

                                                                              Exemple de détails techniques :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Quota 
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Exemples de systèmes :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Archivage/stocka" +"ge à haute performance  
                                                                              • \n" +"
                                                                              • Base de donn&eac" +"ute;es
                                                                              • \n" +"
                                                                              • Serveur web
                                                                              • \n" +"
                                                                              • Transfert de don" +"nées
                                                                              • \n" +"
                                                                              • Plateformes info" +"nuagiques telles qu’Amazon Web Services, Microsoft Azure, Open Science F" +"ramework (OSF), Dropbox, Box, Google Drive, One Drive
                                                                              • \n" +"
                                                                              " msgid "" -"Sometimes non-digital data cannot be digitized" -" or practical limitations (e.g., cost) prevent them from being digitized. If y" -"ou want others to access and reuse your non-digital data, consider where they " -"will be stored, how they will be accessed, and how long they will be accessibl" -"e for. Sometimes, you can deposit your data in an archive, which will take res" -"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" -"er community centre) take responsibility for preservation, describe how your n" -"on-digital data will be protected from physical deterioration over time. Make " -"sure to incorporate non-digital data into the “living will” for yo" -"ur data. Contact the archives at your institution for help developing a preser" -"vation strategy for non-digital data. Read more on preserving non-digital data" -" at Radboud University." +"

                                                                              An ideal solution is one that facilitates c" +"ooperation and ensures data security, yet is able to be adopted by users with " +"minimal training. Transmitting data between locations or within research teams" +" can be challenging for data management infrastructure. Relying on email for d" +"ata transfer is not a robust or secure solution. 

                                                                              \n" +"

                                                                              Third-party commercial file sharing service" +"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" +"t necessarily permanent or secure, and the servers are often located outside C" +"anada.

                                                                              " msgstr "" -"Il est parfois impossible de numériser " -"certaines données, notamment pour des raisons pratiques (coût par" -" exemple). Si vous désirez que vos données non numériques" -" soient accessibles et réutilisables, pensez au lieu où elles se" -"ront stockées, au type et à la durée de l’acc&egrav" -"e;s. Vous pourriez déposer vos données dans une archive, dont le" -"s responsables se chargeront de la préservation et de l’acc&egrav" -"e;s. En dehors des archives, les intervenants (par exemple vous-même ou " -"un centre communautaire partenaire) doivent gérer la préservatio" -"n et décrire comment protéger les données numériqu" -"es contre la détérioration physique au fil du temps. N’oub" -"liez pas d’inclure un « testament de vie » ave" -"c vos données. Si vous désirez de l’aide pour défin" -"ir une stratégie de préservation pour vos données non num" -"ériques, contactez la bibliothèque ou les archives de votre &eac" -"ute;tablissement. Pour plus d’information à ce sujet, consultez l" -"’Université Radboud (lien en anglais)." +"

                                                                              Idéalement, une solution doit faciliter la coopération et ass" +"urer la sécurité des données, tout en pouvant être " +"adoptée par les utilisateurs avec un minimum de formation. La transmiss" +"ion des données entre les sites ou au sein des équipes de recher" +"che peut être difficile pour les infrastructures de gestion des donn&eac" +"ute;es. L’utilisation du courrier électronique pour le transfert " +"de données n’est pas une solution robuste ou sûre.
                                                                              Les services de partage de fichiers commerciaux tiers (tels que Google Dri" +"ve et Dropbox) facilitent l’échange de fichiers, mais ils ne sont" +" pas nécessairement permanents ou sécurisés et ils sont s" +"ouvent situés à l’extérieur du Canada.

                                                                              " msgid "" -"Certain data may not have long-term value, may" -" be too sensitive for preservation, or must be destroyed due to data agreement" -"s. Deleting files from your computer is not a secure method of data disposal. " -"Contact your IT services, research ethics office, and/or privacy office to fin" -"d out how you can securely destroy your data. Read more on secure data disposa" -"l at UK Data Service." +"

                                                                              This estimate should incorporate data manag" +"ement costs incurred during the project as well as those required for ongoing " +"support after the project is finished. Consider costs associated with data pur" +"chase, data curation, and providing long-term access to the data. For ARC proj" +"ects, charges for computing time, also called Service Units (SU), and the cost" +" of specialized or proprietary software should also be taken into consideratio" +"n. 

                                                                              \n" +"Some funding agencies state explicitly that th" +"ey will provide support to meet the cost of preparing data for deposit in a re" +"pository. These costs could include: technical aspects of data management, tra" +"ining requirements, file storage & backup, etc. OpenAIRE has a useful tool" +" for Estimating costs for RDM." msgstr "" -"Certaines données n’ont pas de va" -"leur à long terme, sont trop sensibles pour être préserv&e" -"acute;es ou doivent être détruites en vertu de divers accords. Ce" -" n’est pas sécuritaire de détruire des données en s" -"upprimant tout simplement des fichiers de votre ordinateur. Si vous voulez sav" -"oir comment procéder, contactez la bibliothèque ou les services " -"informatiques de votre établissement. Vous pouvez également fair" -"e appel au bureau d’éthique de la recherche ou au bureau de la pr" -"otection des renseignements personnels. Pour plus d’information à" -" ce sujet, consultez le UK Data Service (lien en anglais)." +"

                                                                              Cette estimation doit comporter les co&ucir" +"c;ts de gestion des données encourus pendant le projet ainsi que ceux n" +"écessaires pour le soutien continu après la fin du projet. Tenez" +" compte des coûts liés à l’achat et à la cons" +"ervation des données, ainsi qu’à l’accès &agr" +"ave; long terme aux données. Pour les projets d’informatique de r" +"echerche avancée, prenez aussi en considération les frais de tem" +"ps de calcul, également appelés unités de service (Servic" +"e Units – SU) et le coût des logiciels spécialisés o" +"u propriétaires. 

                                                                              \n" +"

                                                                              Certains organismes de financement dé" +";clarent explicitement qu’ils fourniront une aide pour couvrir le co&uci" +"rc;t de la préparation des données en vue de leur versement dans" +" un dépôt. Ces coûts peuvent inclure les aspects techniques" +" de la gestion des données, les besoins en formation, le stockage et la" +" sauvegarde des fichiers, etc. OpenAIRE dispose d’un outil utile pour l&" +"rsquo;estimation des coûts de GDR (lien en " +"anglais).

                                                                              " msgid "" -"

                                                                              Your shared data can be in different forms:" -"

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Raw data are the original, unaltered data obtained directly from data collect" -"ion methods (e.g., image files from cameras, audio files from digital recorder" -"s). In the context of your project, published data you reuse count as raw data" -".
                                                                              • -\n" -"
                                                                              • Processed data are raw data that have been modified to, for example, prepare " -"for analysis (e.g., removing video that will not be analyzed) or de-identify p" -"articipants (e.g., blurring faces, cropping, changing voices). 
                                                                              • -\n" -"
                                                                              • Analyzed data are the results of arts-based, qualitative, or quantitative ana" -"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" -"ams, graphs, charts, and statistical tables.
                                                                              • -\n" -"
                                                                              • Final data are copies of " -"raw, processed, or analyzed data you are no longer working with. These copies " -"may have been migrated or transformed from their original file formats into pr" -"eservation-friendly formats.
                                                                              • -\n" -"
                                                                              " +"Your data management plan has identified impor" +"tant data activities in your project. Identify who will be responsible -- indi" +"viduals or organizations -- for carrying out these parts of your data manageme" +"nt plan. This could also include the time frame associated with these staff re" +"sponsibilities and any training needed to prepare staff for these duties." msgstr "" -"

                                                                              Vous pouvez partager plusieurs formes de do" -"nnées :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Données brutes ou données originales, qui sont intactes et prov" -"iennent directement des méthodes du processus de cueillette (fichiers d" -"’image sur des caméras, fichiers audio d’enregistreurs num&" -"eacute;riques). Dans le contexte de votre projet, les données publi&eac" -"ute;es que vous réutilisez sont considérées comme é" -";tant brutes.
                                                                              • -\n" -"
                                                                              • Données traitées<" -"span style=\"font-weight: 400;\"> ou données brutes qui ont ét&eac" -"ute; modifiées, pour préparer une analyse par exemple (retirer d" -"es vidéos qui ne seront pas analysées) ou pour préserver " -"l’anonymat des participants (rendre les visages flous, recadrer ou chang" -"er les voix). 
                                                                              • -\n" -"
                                                                              • Données analysées" -" ou résultats d’une analyse bas&e" -"acute;e sur les arts, analyses quantitatives ou qualitatives de données" -" traitées, ce qui inclut les œuvres, manuels de code, thèm" -"es, textes, diagrammes, graphiques, tableaux et tables statistiques. -\n" -"
                                                                              • Données finales ou copie" -"s de données brutes, traitées ou analysées sur lesquelles" -" vous ne travaillerez plus. Ces copies peuvent avoir été transfo" -"rmées ou avoir migré du format de fichier original vers un fichi" -"er adapté à la préservation.
                                                                              • -\n" -"
                                                                              " +"Votre plan de gestion des données spécifie des activités " +"importantes en matière de données dans votre projet. Déte" +"rminez la personne ou l’organisation qui sera responsable de la ré" +";alisation de ces activités de votre plan de gestion des données" +". Indiquez également le calendrier associé à ces responsa" +"bilités du personnel et toute formation nécessaire pour pr&eacut" +"e;parer le personnel à ces tâches." msgid "" -"Sharing means making your data available to pe" -"ople outside your project (for more, see Ghent University and Iowa State University)." -" Of all the types of data you will create and/or collect (e.g., artwork, field" -" notes), consider which ones you need to share to fulfill institutional or fun" -"ding policies, the ethical framework of your project, and other requirements a" -"nd considerations. You generally need participant consent to share data, and y" -"our consent form should state how your data will be shared, accessed, and reus" -"ed." +"Container solutions, such as docker and singularity, can replicate the exact computational environment for o" +"thers to run. For more information, these Ten Simple Rules for Writing Dockerfiles fo" +"r Reproducible Data Science and Ten Simple Rules for Reproducib" +"le Computational Research may be he" +"lpful." msgstr "" -"Le partage signifie de rendre vos donné" -"es accessibles aux intervenants externes (voir l’Université" -"; Ghent et Univers" -"ité Iowa State; liens en anglais). Parmi tous les types de données que vous recueillez ou " -"créez (œuvres, notes d’observation), pensez à celles" -" que vous devrez partager conformément aux politiques institutionnelles" -" ou financières, au cadre éthique de votre projet et autres exig" -"ences. Il faut habituellement obtenir le consentement des participants pour le" -" partage de données. Votre formulaire de consentement doit donc d&eacut" -"e;finir le type de partage, d’accès et de réutilisation." +"Les solutions par conteneurs, dont docke" +"r et singularity (liens e" +"n anglais), peuvent reproduire l&r" +"squo;environnement de calcul exact pour que d’autres puissent le faire f" +"onctionner. Pour plus d’informations, ces dix règles simples d’&ea" +"cute;criture de fichiers Docker pour des données scientifiques reproduc" +"tibles et dix règles simples pour de la recherche comput" +"ationnelle reproductible (liens en anglais) peuvent être utiles." msgid "" -"Describe which forms of data (e.g., raw, proce" -"ssed) you will share with restricted access due to confidentiality, privacy, i" -"ntellectual property, and other legal or ethical considerations and requiremen" -"ts. Remember to inform participants of any restrictions you will implement to " -"protect their privacy and to state them on your consent form. Read more on res" -"tricted access at University of Yo" -"rk." +"

                                                                              A computationally reproducible research pac" +"kage will include:

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Primary data (and documentation) collected" +" and used in analysis
                                                                              • \n" +"
                                                                              • Secondary data (and documentation) collect" +"ed and used in analysis
                                                                              • \n" +"
                                                                              • Primary data output result(s) (and documen" +"tation) produced by analysis
                                                                              • \n" +"
                                                                              • Secondary data output result(s) (and docum" +"entation) produced by analysis
                                                                              • \n" +"
                                                                              • Software program(s) (and documentation) fo" +"r computing published results
                                                                              • \n" +"
                                                                              • Dependencies for software program(s) for r" +"eplicating published results
                                                                              • \n" +"
                                                                              • Research Software documentation and implem" +"entation details
                                                                              • \n" +"
                                                                              • Computational research workflow and proven" +"ance information
                                                                              • \n" +"
                                                                              • Published article(s) 
                                                                              • \n" +"
                                                                              \n" +"

                                                                              All information above should be accessible " +"to both designated users and reusers. 

                                                                              \n" +"

                                                                              (Re)using code/software requires knowledge " +"of two main aspects at minimum: environment and expected input/output. With su" +"fficient information provided, computational results can be reproduced. Someti" +"mes, a minimum working example will be helpful.

                                                                              " msgstr "" -"Décrivez les types de données (b" -"rutes, traitées) qui seront partagées avec un accès restr" -"eint pour des raisons de confidentialité, protection de la vie priv&eac" -"ute;e, propriété intellectuelle ou autres exigences juridiques o" -"u éthiques. N’oubliez pas d’informer les participants des r" -"estrictions que vous établirez pour protéger leur vie priv&eacut" -"e;e. Précisez ces restrictions sur le formulaire de consentement. Pour " -"plus d’information à ce sujet, consultez l’Université de York
                                                                              (lien en " -"anglais)." +"

                                                                              Un projet de recherche reproductible par ca" +"lcul comprendra :

                                                                              \n" +"
                                                                                \n" +"
                                                                              • Données (" +"et documentation) primaires collectées et utilisées dans l&rsquo" +";analyse ;
                                                                              • \n" +"
                                                                              • Données (" +"et documentation) secondaires collectées et utilisées dans l&rsq" +"uo;analyse ;
                                                                              • \n" +"
                                                                              • Résultats" +" des données primaires (et documentation) produits par l’analyse&" +"thinsp;;
                                                                              • \n" +"
                                                                              • Résultats" +" des données primaires (et documentation) produits par l’analyse&" +"thinsp;; 
                                                                              • \n" +"
                                                                              • Programmes logic" +"iels (et documentation) pour le calcul des résultats publiés&thi" +"nsp;;
                                                                              • \n" +"
                                                                              • Dépendanc" +"es pour les logiciels permettant de reproduire les résultats publi&eacu" +"te;s ;
                                                                              • \n" +"
                                                                              • Documentation et" +" détails de mise en œuvre du logiciel de recherche ;
                                                                              • \n" +"
                                                                              • Flux de recherch" +"e informatique et information sur la provenance ;
                                                                              • \n" +"
                                                                              • Articles publi&e" +"acute;s. 
                                                                              • \n" +"
                                                                              \n" +"

                                                                              Toutes les informations ci-dessus doivent &" +"ecirc;tre accessibles à la fois aux utilisateurs et aux réutilis" +"ateurs désignés. 

                                                                              \n" +"

                                                                              L’utilisation et la réutilisat" +"ion de codes ou de logiciels nécessitent la connaissance de deux aspect" +"s principaux au minimum : l’environnement et les entrées ou les s" +"orties attendues. Si les informations fournies sont suffisantes, les ré" +"sultats des calculs peuvent être reproduits. Parfois, un exemple fonctio" +"nnel minimal sera utile.

                                                                              " msgid "" -"

                                                                              List the owners of the data in your project" -" (i.e., those who hold the intellectual property rights), such as you, collabo" -"rators, participants, and the owners of published data you will reuse. Conside" -"r how ownership will affect the sharing and reuse of data in your project. For" -" example, existing licenses attached to copyrighted materials that you, collab" -"orators, or participants incorporate into new artwork may prevent its sharing " -"or allow it with conditions, like creator attribution, non-commercial use, and" -" restricted access.

                                                                              " +"Consider where, how, and to whom sensitive data with acknowledged long-term va" +"lue should be made available, and how long it should be archived. Decisions sh" +"ould align with your institutional Research Ethics Board requirements.
                                                                              <" +"br />Methods used to share data will be dependent on the type, size, complexit" +"y and degree of sensitivity of data. For instance, sensitive data should never" +" be shared via email or cloud storage services such as Dropbox. Outline any pr" +"oblems anticipated in sharing data, along with causes and possible measures to" +" mitigate these. Problems may include: confidentiality, lack of consent agreem" +"ents, or concerns about Intellectual Property Rights, among others." msgstr "" -"

                                                                              Faites une liste des propriétaires d" -"es données de votre projet (détenteurs des droits de propri&eacu" -"te;té intellectuelle) : vous-même, les collaborateurs, les p" -"articipants ou les propriétaires des données que vous réu" -"tilisez. Évaluez l’impact du droit de propriété sur" -" le partage et la réutilisation des données de votre projet. Si " -"des collaborateurs, des participants ou vous intégrez des documents pro" -"tégés par le droit d’auteur dans une nouvelle œuvre," -" vous ne pouvez pas forcément la partager ou devez respecter certaines " -"conditions pour les partager (attribution du droit aux créateurs, utili" -"sation non commerciale et accès restreint), en vertu des licences qui s" -"e rattachent à ces documents.

                                                                              " +"

                                                                              Considérez où, comment et &ag" +"rave; qui les données sensibles dont la valeur à long terme est " +"reconnue doivent être mises à disposition, et combien de temps el" +"les doivent être archivées. Vos décisions doivent êt" +"re conformes aux exigences du comité d’éthique de la reche" +"rche de votre établissement. 

                                                                              \n" +"

                                                                              Les méthodes utilisées pour p" +"artager les données dépendront du type, de la taille, de la comp" +"lexité et du degré de sensibilité des données. Par" +" exemple, les données sensibles ne doivent jamais être partag&eac" +"ute;es par courrier électronique ou par des services de stockage dans l" +"e nuage tels que Dropbox. Indiquez les problèmes que vous prévoy" +"ez de rencontrer lors du partage de données, ainsi que les causes et le" +"s mesures possibles pour les atténuer. Les problèmes peuvent inc" +"lure : la confidentialité, l’absence d’accords de cons" +"entement ou des préoccupations concernant les droits de propriét" +"é intellectuelle, entre autres.

                                                                              " msgid "" -"Several types of standard licenses are availab" -"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" -"andard license rather than a custom-made one. If you make your data part of th" -"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" -" Curation Centre. " +"

                                                                              Obtaining the appropriate consent from rese" +"arch participants is an important step in assuring your Research Ethics Board " +"that data may be shared with researchers outside of your project. The consent " +"statement may identify certain conditions clarifying the uses of the data by o" +"ther researchers. For example, it may stipulate that the data will only be sha" +"red for non-profit research purposes or that the data will not be linked with " +"personally identified data from other sources. Read more about data security: " +"UK Data Service.

                                                                              \n" +"You may need to anonymize or de-identify your data before you can share it. Read more about these process" +"es at UBC Library , UK Data Service, or
                                                                              Image Data Sharing for Biomedi" +"cal Research—Meeting HIPAA Requirements for De-identification" +"." msgstr "" -"Les chercheurs ont accès à diver" -"ses licences types, notamment les licences Creative Commons et les licenses Open Data Com" -"mons (lien en anglais). Da" -"ns la plupart des cas, il est plus simple d’utiliser une licence type qu" -"e sa propre licence personnalisée. Si vous comptez rendre vos donn&eacu" -"te;es publiques, vous devriez le préciser en utilisant une licence comm" -"e <" -"span style=\"font-weight: 400;\">Creative Commons CC0
                                                                              . Pour plus d’information à ce sujet, consul" -"tez le Digital Curation Centre (" -"lien en anglais). " +"

                                                                              L’obtention du consentement appropri&" +"eacute; des participants à la recherche est une étape importante" +" pour garantir à votre comité d’éthique de la reche" +"rche que les données peuvent être partagées avec des cherc" +"heurs en dehors de votre projet. La déclaration de consentement peut pr" +"éciser les conditions d’utilisation des données par d&rsqu" +"o;autres chercheurs. Par exemple, elle peut stipuler que les données ne" +" seront partagées qu’à des fins de recherche sans but lucr" +"atif ou que les données ne seront pas liées à des donn&ea" +"cute;es personnelles identifiées provenant d’autres sources. Pour" +" en savoir plus sur la sécurité des données, consultez le" +" Service des données du Royaume-Uni (" +"lien en anglais).

                                                                              \n" +"

                                                                              Vous devrez peut-être anony" +"miser ou dépersonnaliser vos" +" données avant de pouvoir les partager. Vous pouvez vous renseigner sur" +" ces processus en consultant les liens suivants : Bibliothèque de l’Université de la C.-B., Service d" +"es données du Royaume-Uni, o" +"u Partage de données d’images pour la recherche biom" +"édicale — satisfaire aux exigences de la HIPAA en matière " +"de dépersonnalisation (liens en anglais).

                                                                              " msgid "" -"Include a copy of your end-user license here. " -"Licenses set out how others can use your data. Funding agencies and/or data re" -"positories may have end-user license requirements in place; if not, they may b" -"e able to guide you in developing a license. Only the intellectual property ri" -"ghts holder(s) of the data you want to share can issue a license, so it is cru" -"cial to clarify who holds those rights. Make sure the terms of use of your end" -"-user license fulfill any legal and ethical obligations you have (e.g., consen" -"t forms, copyright, data sharing agreements, etc.)." +"There are several types of standard licenses a" +"vailable to researchers, such as the Creative Commons licenses and the Open Data Commons licenses" +". For most datasets it is easier to" +" use a standard license rather than to devise a custom-made one. Even if you c" +"hoose to make your data part of the public domain, it is preferable to make th" +"is explicit by using a license such as Creative Commons' CC0. More about data " +"licensing: Digital Curation Centre. " msgstr "" -"Il faut inclure une copie de votre licence d&r" -"squo;utilisateur. Celle-ci définit comment les autres individus peuvent" -" utiliser vos données. Les agences de financement et les dép&oci" -"rc;ts de données ont parfois des exigences relatives aux licences d&rsq" -"uo;utilisateur. Si ce n’est pas le cas, ils pourraient vous aider &agrav" -"e; concevoir une licence. Seuls les détenteurs du droit de propri&eacut" -"e;té intellectuelle des données que vous voulez partager peuvent" -" émettre une licence. Il est donc très important de déter" -"miner à qui appartient ce droit. Les conditions d’utilisation de " -"votre licence d’utilisateur doivent être conformes à vos ob" -"ligations éthiques et juridiques (formulaires de consentement, droit d&" -"rsquo;auteur, ententes de partage de données, etc.)." +"Il y a plusieurs types de licences standard &a" +"grave; la disposition des chercheurs telles que les licences Cr" +"eative Commons et les licences Open Data Commons (" +"lien en anglais). Pour la plupart des ensembles de données, il est plus f" +"acile d’utiliser une licence standard plutôt que de concevoir une " +"licence sur mesure. Même si vous choisissez de faire entrer vos donn&eac" +"ute;es dans le domaine public, il est préférable de le faire de " +"manière explicite en utilisant une licence telle que la CCO de Creative" +" Commons. Pour en savoir plus sur les licences, visitez le site du Centre de curation numérique (lien en a" +"nglais). " msgid "" -"Many Canadian postsecondary institutions use D" -"ataverse, a popular data repository platform for survey data and qualitative t" -"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" -"s, built-in data citations, file versioning, customized terms of use, and assi" -"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" -" identifier that provides a stable link to your data. Try to choose repositori" -"es that assign persistent identifiers. Contact your institution’s librar" -"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" -"ble to you, or for help locating another repository that meets your needs. You" -" can also check out re3data.org, a dire" -"ctory of data repositories that includes arts-specific ones." +"Licenses stipulate how your data may be used. " +"Funding agencies and/or data repositories may have end-user license requiremen" +"ts in place; if not, they may still be able to guide you in the selection of a" +" license. Once selected, please include a copy of your end-user license with y" +"our Data Management Plan. Note that only the intellectual property rights hold" +"er(s) can issue a license, so it is crucial to clarify who owns those rights. " +"" msgstr "" -"Plusieurs établissements postsecondaire" -"s canadiens utilisent Dataverse, qui est une plateforme de dépôt " -"répandue pour les données d’enquête et les donn&eacu" -"te;es qualitatives sous forme de texte (pour plus d’information, voir Scholars Portal). Cette " -"plateforme offre plusieurs possibilités, dont l’accès ouve" -"rt et l’accès restreint, les citations de données int&eacu" -"te;grées, le suivi des versions de fichier, des conditions d’util" -"isation personnalisées et l’attribution d’un identificateur" -" d’objet numérique (DOI) aux ensembles de données. Un DOI est un i" -"dentifiant permanent unique, qui donne un lien stable vers vos données." -" Par conséquent, il est préférable de choisir des d&eacut" -"e;pôts qui en attribuent. Contactez la bibliothèque de votre &eac" -"ute;tablissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca pour savoir si vous avez accès à Dataverse" -". Vous pourriez autrement trouver avec leur aide un autre dépôt q" -"ui répond à vos besoins. Consultez aussi le re3data.org (" -"lien en anglais), qui est un ré" -";pertoire de dépôts de données, notamment adapté au" -" domaine des arts." +"Les licences stipulent comment vos données peuvent être utilis&ea" +"cute;es. Les organismes de financement ou les dépôts de donn&eacu" +"te;es peuvent avoir des exigences en matière de licences d’utilis" +"ation finale ; autrement, ils peuvent vous guider dans le choix d&rsquo" +";une licence. Une fois que vous avez choisi votre licence, veuillez une copie " +"de votre licence d’utilisation finale avec votre plan de gestion des don" +"nées. Notez que les détenteurs des droits de propriét&eac" +"ute; intellectuelle sont les seuls à pouvoir délivrer une licenc" +"e, il est donc crucial de préciser à qui appartiennent ces droit" +"s." msgid "" -"

                                                                              Researchers can find data through data repo" -"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" -"r data through a data repository is recommended because it enhances the discov" -"erability of your data in the research community. You can also cite your depos" -"ited data the same way you would cite a publication, by including a link in th" -"e citation. Read more on data citation at UK Data Service<" -"/span> and Digi" -"tal Curation Centre -\n" -"

                                                                              The best ways to let artists and the public" -" know about your data may not mirror those of researchers. Social media, artis" -"tic organizations, and community partners may be options. For more help making" -" your data findable, contact your institution’s library or the Portage D" -"MP Coordinator at support@portagene" -"twork.ca.  

                                                                              " +"

                                                                              By providing a licence for your software, y" +"ou grant others certain freedoms, and define what they are allowed to do with " +"your code. Free and open software licences typically allow someone else to use" +", study, improve and share your code. You can licence all the software you wri" +"te, including scripts and macros you develop on proprietary platforms. For mor" +"e information, see Choose an Open Source License or open source licenses options at the Open Source Initiative<" +"/span>.

                                                                              \n" +"

                                                                              Please be aware that software is typically " +"protected by copyright that is often held by the institution rather than the d" +"eveloper. Ensure you understand what rights you have to share your software be" +"fore choosing a license.

                                                                              " msgstr "" -"

                                                                              Les chercheurs trouvent des données " -"par l’entremise de dépôts, du bouche-à-oreille, de s" -"ites web de projets, de revues savantes, etc. Pour partager vos données" -", il est préférable d’utiliser un dépôt pour " -"augmenter la découverte de vos données dans la communauté" -" de recherche. Vous pouvez aussi citer vos données déposé" -"es, tout comme vous citeriez une publication, en incluant un lien vers la cita" -"tion. Pour plus d’information à ce sujet, voir le UK Data Service et Digital Curation Centre (liens en anglais)" -"

                                                                              -\n" -"

                                                                              La meilleure approche pour faire conna&icir" -"c;tre vos données auprès des artistes et membres du public n&rsq" -"uo;est pas forcément la même que celle des chercheurs. Les m&eacu" -"te;dias sociaux, organisations artistiques et partenaires au sein de la commun" -"auté sont parfois de bonnes avenues. Si vous désirez de l’" -"aide faciliter l’accès à vos données, contactez la " -"bibliothèque de votre établissement ou le coordonnateur PGD de P" -"ortage à support@portagenetw" -"ork.ca.

                                                                              " +"

                                                                              En fournissant une licence pour votre logic" +"iel, vous accordez aux autres certaines libertés et définissez c" +"e qu’ils sont autorisés à faire avec votre code. Les licen" +"ces de logiciels gratuits en libre accès permettent génér" +"alement à quelqu’un d’autre d’utiliser, d’&eacu" +"te;tudier, d’améliorer et de partager votre code. Vous pouvez acc" +"order une licence pour tous les logiciels que vous écrivez, y compris l" +"es scripts et les macros que vous développez sur des plateformes propri" +"étaires. Pour plus d’informations, consultez le site Choisir une l" +"icence open source ou les options d" +"e licence open source sur le site Initiative open source (liens en " +"anglais).

                                                                              \n" +"

                                                                              Sachez que les logiciels sont gén&ea" +"cute;ralement protégés par un droit d’auteur qui appartien" +"t plus souvent à l’institution qu’au développeur. As" +"surez-vous de bien comprendre les droits dont vous disposez pour partager votr" +"e logiciel avant de choisir une licence.

                                                                              " msgid "" -"

                                                                              Research data management is often a shared " -"responsibility, which can involve principal investigators, co-investigators, c" -"ollaborators, graduate students, data repositories, etc. Describe the roles an" -"d responsibilities of those who will carry out the activities of your data man" -"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" -"o can conduct these activities in relation to data management expertise, time " -"commitment, training needed to carry out tasks, and other factors.

                                                                              " +"

                                                                              Before you copy, (re-)use, modify, build on" +", or (re-)distribute others’ data and code, or engage in the production " +"of derivatives, be sure to check, read, understand and follow any legal licens" +"ing agreements. The actions you can take, including whether you can publish or" +" redistribute derivative research products, may depend on terms of the origina" +"l license.

                                                                              \n" +"

                                                                              If your research data and/or software are b" +"uilt upon others’ data and software publications, it is good practice to" +" acknowledge and cite the corresponding data and software you use in the same " +"fashion as you cite papers to both identify the software and to give credit to" +" its developers. Some good resources for developing citations are the <" +"a href=\"https://peerj.com/articles/cs-86/\">Sof" +"tware Citation Principles (Smith et al., 2016), DataCite - Cite Your Data, and Out of Cite, Out of M" +"ind: The Current State of Practice, Policy, and Technology for the Citation of" +" Data.

                                                                              \n" +"

                                                                              Compliance with privacy legislation and law" +"s that may restrict the sharing of some data should be discussed with your ins" +"titution's privacy officer or data librarian, if possible. Research Ethics Boa" +"rds are also central to the research process and a valuable resource. Include " +"in your documentation a description concerning ownership, licensing, and intel" +"lectual property rights of the data. Terms of reuse must be clearly stated, in" +" line with the relevant legal and ethical requirements where applicable (e.g.," +" subject consent, permissions, restrictions, etc.).

                                                                              " msgstr "" -"

                                                                              La gestion des données de recherche " -"est souvent une responsabilité partagée, notamment entre les che" -"rcheurs principaux, co-chercheurs, collaborateurs, étudiants de cycle s" -"upérieur, dépôts de données, etc. Décrivez l" -"es rôles et responsabilités de tous ceux qui participeront &agrav" -"e; la gestion des données de recherche, que ce soient des individus ou " -"des organisations. Il est aussi important de définir l’éch" -"éancier des responsabilités. Parmi d’autres considé" -"rations, réfléchissez aux personnes qui ont de l’expertise" -" dans la gestion de données, ainsi que le temps et la formation n&eacut" -"e;cessaire pour entreprendre les tâches requises.

                                                                              " +"

                                                                              Avant de copier, utiliser, réutilise" +"r, modifier, développer, distribuer ou redistribuer les données " +"et le code d’autrui, ou de vous engager dans la production de produits d" +"érivés, assurez-vous de vérifier, de lire, de comprendre " +"et de respecter tout accord de licence légal. Les mesures que vous pouv" +"ez prendre, y compris la publication ou la redistribution de produits de reche" +"rche dérivés, peuvent dépendre des conditions de la licen" +"ce d’origine.

                                                                              \n" +"

                                                                              Si vos données ou logiciels de reche" +"rche sont basés sur des données et des logiciels publiés " +"par d’autrui, il est bon de reconnaître et de citer les donn&eacut" +"e;es et logiciels correspondants que vous utilisez de la même mani&egrav" +"e;re que vous citez des articles, à la fois pour identifier le logiciel" +" et pour donner le mérite à ses développeurs. Voici quelq" +"ues bonnes ressources pour l’élaboration de citations : Principes de citation de logiciel (Smith et col., 2016), DataCite — citez vos données, et Out of Cite, Out of Mind: l’état actuel des pratiques, politi" +"ques et technologies de citation des données (liens en anglais<" +"/span>).

                                                                              \n" +"

                                                                              Discutez du respect des lois sur la protect" +"ion de la vie privée susceptibles de restreindre le partage de certaine" +"s données avec le responsable de la protection de la vie privée " +"ou le bibliothécaire des données de votre institution, si possib" +"le. Les comités d’éthique de la recherche sont égal" +"ement au cœur du processus de recherche et constituent une ressource pr&" +"eacute;cieuse. Dans votre documentation, précisez la propriét&ea" +"cute;, la licence et les droits de propriété intellectuelle des " +"données. Les conditions de réutilisation doivent être clai" +"rement énoncées, conformément aux exigences juridiques et" +" éthiques applicables le cas échéant (par exemple, consen" +"tement du sujet, autorisations, restrictions, etc.).

                                                                              " msgid "" -"Expected and unexpected changes to who manages" -" data during your project (e.g., a student graduates, research staff turnover)" -" and after (e.g., retirement, death, agreement with data repository ends) can " -"happen. A succession plan details how research data management responsibilitie" -"s will transfer to other individuals or organizations. Consider what will happ" -"en if the principal investigator, whether you or someone else, leaves the proj" -"ect. In some instances, a co-investigator or the department or division overse" -"eing your project can assume responsibility. Your post-project succession plan" -" can be part of the “living will” for your data." -msgstr "" -"Les personnes qui gèrent les donn&eacut" -"e;es peuvent changer de manière attendue et inattendue pendant un proje" -"t (un étudiant termine ses études, le personnel de recherche cha" -"nge de poste) ou après celui-ci (retraite, décès, fin d&r" -"squo;une entente avec un dépôt de données). Il est donc im" -"portant de définir un plan de relève pour indiquer comment la ge" -"stion des données sera transférée à d’autres" -" individus ou organisations. Pensez aux éventuelles conséquences" -" si le chercheur principal, que ce soit vous ou une autre personne, quitte le " -"projet en cours de route. Dans certains cas, le co-chercheur, le départ" -"ement ou la division responsable du projet peut entreprendre cette responsabil" -"ité. Le plan de relève peut s’inscrire dans le «&thi" -"nsp;testament de vie » du projet." - -msgid "" -"Know what resources you will need for research" -" data management during and after your project and their estimated cost as ear" -"ly as possible. For example, transcription, training for research team members" -", digitizing artwork, cloud storage, and depositing your data in a repository " -"can all incur costs. Many funding agencies provide financial support for data " -"management, so check what costs they will cover. Read more on costing data man" -"agement at Digital Curati" -"on Centre and OpenAIRE." -msgstr "" -"Déterminez le type de ressources n&eacu" -"te;cessaires pour la gestion des données pendant et après votre " -"projet. Estimez les coûts le plus rapidement possible. Par exemple, la t" -"ranscription, la formation des membres de l’équipe de recherche, " -"la numérisation des œuvres, le stockage en ligne et dép&oc" -"irc;t des données entraînent tous des frais. La plupart des agenc" -"es de financement offrent un montant pour la gestion des données, donc " -"vérifiez quels coûts sont couverts. Pour plus d’information" -" à ce sujet, voir le Digital Curation Centre et " -"OpenAIRE (liens en anglais" -")." - -msgid "" -"Research data management policies can be set b" -"y funders, postsecondary institutions, legislation, communities of researchers" -", and research data management specialists. List policies relevant to managing" -" your data, including those of your institution and the Tri-Agency Research Da" -"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" -"inks to these policies. " -msgstr "" -"Les bailleurs de fonds, établissements " -"postsecondaires, mesures législatives, communautés de chercheurs" -" et spécialistes définissent parfois des politiques sur la gesti" -"on des données de recherche. Faites une liste des politiques qui concer" -"nent la gestion de vos données, notamment celles de votre établi" -"ssement et du CRSH, IRSC ou CRSNG si votre projet est financé par l&rsq" -"uo;un de ces trois organismes subventionnaires. Inclure un lien URL vers ces p" -"olitiques. " - -msgid "" -"

                                                                              Compliance with privacy and copyright law i" -"s a common issue in ABR and may restrict what data you can create, collect, pr" -"eserve, and share. Familiarity with Canadian copyright law is especially impor" -"tant in ABR (see Copyright Act of Canada, Can" -"adian Intellectual Property Office," -" Éducaloi, and Artists’ Legal Out" -"reach). Obtaining permissions is ke" -"y to managing privacy and copyright compliance and will help you select or dev" -"elop an end-user license. 

                                                                              -\n" -"It is also important to know about ethical and" -" legal issues pertaining to the cultural context(s) in which you do ABR. For e" -"xample, Indigenous data sovereignty and governance are essential to address in" -" all aspects of research data management in projects with and affecting First " -"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" -"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" -"xperts at your institution can help you address ethical and legal issues, such" -" as those at your library, privacy office, research ethics office, or copyrigh" -"t office." -msgstr "" -"

                                                                              La RBA doit souvent se conformer aux lois s" -"ur la vie privée et au droit d’auteur, ce qui limite le type de d" -"onnées que vous pouvez créer, recueillir, préserver et pa" -"rtager. Il est donc très important de connaître le droit canadien" -" de la propriété intellectuelle (voir la Loi s" -"ur le droit d’auteur, " -"Office de la propriété" -"; intellectuelle du Canada, " -"Éducaloi et Artists’ Legal O" -"utreach; lien en anglais)." -" Conformément aux lois sur la vie privée et au droit d’aut" -"eur, il faut obtenir des permissions et choisir ou définir une licence " -"d’utilisateur appropriée. 

                                                                              Vous devez aussi connaître les enjeux éthiques e" -"t juridiques du contexte culturel dans lequel s’inscrit votre RBA. Par e" -"xemple, la gouvernance et souveraineté des données autochtones s" -"ont essentielles pour les projets de gestion des données qui touchent l" -"es territoires et communautés des Premières Nations, Inuits et M" -"étis (voir le CGIPN, ITK et <" -"span style=\"font-weight: 400;\">GIDA; liens en anglais). La propriété collective du savoir " -"traditionnel et des expressions culturelles est aussi une dimension trè" -"s importante (voir la bibliot" -"hèque de l’UBC [li" -"en en anglais] et ISDE Canada). Pour mieux comprendre ces enjeux éthiques et " -"juridiques, faites appel à l’expertise de votre bibliothèq" -"ue, bureau de la protection des renseignements personnels, bureau d’&eac" -"ute;thique de la recherche ou bureau du droit d’auteur.

                                                                              " - -msgid "" -"Obtaining permissions to create, document, and" -" use artwork in ABR can be complex when, for example, non-participants are dep" -"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" -"ved from other copyrighted work (e.g., collages made of photographs, remixed s" -"ongs). Consider creating a plan describ" -"ing how you will obtain permissions for your project. It should include what y" -"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" -" permission is needed for what you want to do; and, if granted, what the condi" -"tions are. " -msgstr "" -"Il est parfois compliqué d’obteni" -"r des permissions pour créer, documenter et utiliser des œuvres d" -"ans une RBA, si par exemple les œuvres mettent en scène des non-p" -"articipants ou si elles appartiennent partiellement ou elles ont ét&eac" -"ute; créées en partie par des mineurs. Les productions artistiqu" -"es dérivées d’une œuvre protégée par l" -"e droit d’auteur posent les mêmes défis (collages ré" -"alisés à partir de photographies, morceaux remixés). Vous" -" pourriez définir dans un plan les mesures à prendre pour obteni" -"r les permissions nécessaires à votre projet. Décrivez vo" -"tre projet (créer une œuvre dérivée, déposer" -" des données), indiquez où vous devez demander la permission et " -"les conditions qui s’appliquent si vous l’obtenez. " - -msgid "" -"Security measures for sensitive data include p" -"assword protection, encryption, and limiting physical access to storage device" -"s. Sensitive data should never be shared via email or cloud storage services n" -"ot approved by your research ethics office. Security measures for sensitive no" -"n-digital data include storage under lock and key, and logging removal and ret" -"urn of artwork from storage." -msgstr "" -"Les mesures de sécurité pour les" -" données sensibles incluent la protection de mot de passe, le chiffreme" -"nt et l’accès physique aux dispositifs de stockage limité." -" Il ne faut jamais partager des données sensibles par courrier é" -"lectronique ou par des services de stockage en ligne qui ne sont pas approuv&e" -"acute;s par le bureau d’éthique de la recherche. Les mesures de s" -"écurité pour les données sensibles non numériques " -"incluent l’entreposage sous clé, la suppression et le retour des " -"œuvres qui ont été entreposées." - -msgid "" -"

                                                                              Sensitive data is any data that may negativ" -"ely impact individuals, organizations, communities, institutions, and business" -"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" -", and personal identifiers in artwork or its documentation can be examples of " -"sensitive data in ABR. Your data security measures should be proportional to t" -"he sensitivity of your data: the more sensitive your data, the more data secur" -"ity you need. Read more on sensitive da" -"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" -"rd, OpenAIRE" -", and U" -"K Data Service.

                                                                              " -msgstr "" -"

                                                                              Toutes les données ayant potentielle" -"ment un impact négatif sur des individus, organisations, communaut&eacu" -"te;s, établissements et entreprises si elles sont dévoilé" -"es publiquement sont considérées comme étant sensibles. L" -"es œuvres protégées par le droit d’auteur, les expre" -"ssions culturelles autochtones et les identifiants personnels dans une œ" -"uvre ou les documents à l’appui peuvent être des donn&eacut" -"e;es sensibles dans votre RBA. Les mesures de sécurité doivent &" -"ecirc;tre proportionnelles à la sensibilité de vos donnée" -"s : plus elles le sont, plus vous devez prendre des mesures de séc" -"urité. Pour plus d’informa" -"tion à ce sujet, consultez le " -"Data Storage and Security Tools (PDF) by McMaster Research Ethics Board" -", OpenAIRE, et UK Data Ser" -"vice (liens en anglais).

                                                                              " - -msgid "" -"Removing direct and indirect identifiers from " -"data is a common strategy to manage sensitive data. However, some strategies t" -"o remove identifiers in images, audio, and video also remove information of va" -"lue to others (e.g., facial expressions, context, tone of voice). Consult your" -" research ethics office to find out if solutions exist to retain such informat" -"ion. Read more on de-identifying data at UBC Library and UK Data Service." -msgstr "" -"Pour gérer les données sensibles" -", on retire souvent les identifiants directs et indirects des données. " -"En revanche, si on retire des identifiants d’images, bandes sonores et v" -"idéos, on élimine parfois aussi de l’information important" -"e pour autrui (expressions faciales, contexte, ton de voix). Consultez votre b" -"ureau d’éthique de la recherche pour trouver des solutions qui vo" -"us permettraient de retenir cette information. Pour plus d’information &" -"agrave; ce sujet, voir la biblioth&egr" -"ave;que de l’UBC et UK Data Service " -"(liens en anglais)." - -msgid "" -"

                                                                              Sensitive data can still be shared and reus" -"ed if strategies are in place to protect against unauthorized disclosure and t" -"he problems that can rise from it. Obtain the consent of participants to share" -" and reuse sensitive data beyond your project. Your consent form should state " -"how sensitive data will be protected when shared, accessed, and reused. Strate" -"gies to reduce the risk of public disclosure are de-identifying data and imple" -"menting access restrictions on deposited data. Make sure to address types of s" -"ensitive data beyond personal identifiers of participants. Your strategies sho" -"uld align with requirements of your research ethics office, institution, and, " -"if applicable, legal agreements for sharing data. Consult your research ethics" -" office if you need help identifying problems and strategies.

                                                                              " -msgstr "" -"

                                                                              Il est possible de partager et de ré" -"utiliser des données sensibles à condition d’avoir une str" -"atégie pour les protéger contre la divulgation non autoris&eacut" -"e;e et les problèmes qui en découlent. Vous devez obtenir le con" -"sentement des participants pour partager et réutiliser des donné" -"es sensibles au-delà de votre projet. Votre formulaire de consentement " -"doit indiquer comment celles-ci seront protégées en cas de parta" -"ge, d’accès et de réutilisation. Pour réduire le ri" -"sque qu’elles soient dévoilées sans autorisation, il est p" -"référable de les anonymiser et de mettre en place des restrictio" -"ns d’accès si elles sont déposées. N’oubliez " -"pas d’inclure toutes les données sensibles au-delà des ide" -"ntifiants personnels des participants. Vos stratégies doivent respecter" -" les exigences du bureau d’éthique de la recherche, de votre &eac" -"ute;tablissement et des ententes juridiques sur le partage des données," -" le cas échéant. Pour obtenir de l’aide afin de cerner les" -" enjeux et de mettre en place une stratégie, consultez votre bureau d&r" -"squo;éthique de la recherche.

                                                                              " - -msgid "" -"Examples of research data management policies that may be in place include tho" -"se set forth by funders, post secondary institutions, legislation, and communi" -"ties.
                                                                              -\n" -"

                                                                              Examples of these might include: 

                                                                              -\n" -"" -msgstr "" -"

                                                                              Parmi les exemples de politiques de gestion" -" des données de recherche qui peuvent être mises en place, il y a" -" celles qui sont définies par les bailleurs de fonds, les établi" -"ssements d’enseignement supérieur, la législation et les c" -"ommunautés. 

                                                                              -\n" -"

                                                                              En voici quelques exemples : -\n" -"

                                                                              " - -msgid "" -"Having a clear understanding of all the data that you will collect or use with" -"in your project will help with planning for their management.

                                                                              Incl" -"ude a general description of each type of data related to your project, includ" -"ing the formats that they will be collected in, such as audio or video files f" -"or qualitative interviews and focus groups and survey collection software or f" -"ile types.

                                                                              As well, provide any additional details that may be help" -"ful, such as the estimated length (number of survey variables/length of interv" -"iews) and quantity (number of participants to be interviewed) both of surveys " -"and interviews." -msgstr "" -"

                                                                              Une bonne compréhension de toutes le" -"s données que vous allez collecter ou utiliser dans le cadre de votre p" -"rojet vous aidera à planifier leur gestion. 

                                                                              -\n" -"

                                                                              Décrivez de manière gé" -"nérale chaque type de données liées à votre projet" -", y compris les formats dans lesquels elles seront collectées, tels que" -" les fichiers audio ou vidéo pour les entrevues qualitatives et les gro" -"upes de discussion, ainsi que les logiciels de collecte d’enquêtes" -" ou les types de fichiers.

                                                                              -\n" -"

                                                                              De plus, fournissez tous les détails" -" supplémentaires qui pourraient être utiles, tels que la dur&eacu" -"te;e estimée (nombre de variables de l’enquête ou la dur&ea" -"cute;e des entrevues) et la quantité (nombre de participants à i" -"nterroger) des enquêtes et des entrevues.

                                                                              " - -msgid "" -"

                                                                              There are many potential sources of existin" -"g data, including research data repositories, research registries, and governm" -"ent agencies. 

                                                                              -\n" -"

                                                                              Examples of these include:

                                                                              -\n" -" -\n" -" -\n" -"
                                                                                -\n" -"
                                                                              • Research data re" -"positories, such as those listed at " -"re3data.org
                                                                              • -\n" -"
                                                                              -\n" -" -\n" -"

                                                                              You may also wish to contact the Library at" -" your institution for assistance in searching for any existing data that may b" -"e useful to your research.

                                                                              " -msgstr "" -"

                                                                              Il existe de nombreuses sources potentielle" -"s de données, notamment les dépôts de données de re" -"cherche, les registres de recherche et les agences gouvernementales. -\n" -"

                                                                              En voici quelques exemples : -\n" -"

                                                                              -\n" -"

                                                                              Vous pouvez également communiquer av" -"ec la bibliothèque de votre établissement pour obtenir de l&rsqu" -"o;aide dans la recherche de données qui pourraient être utiles &a" -"grave; votre recherche.

                                                                              " - -msgid "" -"

                                                                              Include a description of any methods that y" -"ou will use to collect data, including electronic platforms or paper based met" -"hods. For electronic methods be sure to include descriptions of any privacy po" -"licies as well as where and how data will be stored while within the platform." -"

                                                                              For an example of a detaile" -"d mixed methods description, see this Portage DMP Exemplar in either English or French" -".

                                                                              -\n" -"

                                                                              There are many electronic survey data colle" -"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" -"span style=\"font-weight: 400;\">and " -"where your survey data will be col" -"lected and stored is an essential component of managing your data and ensuring" -" that you are adhering to any security requirements imposed by funders or rese" -"arch ethics boards. 

                                                                              -\n" -"Additionally, it is important to clearly under" -"stand any security and privacy policies that are in place for any given electr" -"onic platform that you will use for collecting your data  - examples of s" -"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." -msgstr "" -"

                                                                              Décrivez toutes les méthodes " -"que vous utiliserez pour collecter des données, y compris les plateform" -"es électroniques ou les méthodes sur papier. Pour les mét" -"hodes électroniques, décrivez aussi toutes les politiques de pro" -"tection de confidentialité et indiquez où et comment les donn&ea" -"cute;es seront stockées sur la plateforme.

                                                                              -\n" -"

                                                                              Pour un exemple de description détai" -"llée des méthodologies mixtes, consultez ce modèle de PDG" -" de Portage en anglais ou" -" en français.

                                                                              -\n" -"

                                                                              Il existe de nombreuses plateformes de coll" -"ecte électronique de données d’enquête parmi lesquel" -"les choisir (par exemple, Qualtrics, REDCap, " -"Hosted in Canada Surveys; liens en anglais). Pour gérer vos données et faire en sorte que " -"vous respectiez toutes les exigences de sécurité imposées" -" par les bailleurs de fonds ou les comités d’éthique de la" -" recherche, vous devez comprendre comment et où les données de v" -"otre enquête seront collectées et stockées.  -\n" -"

                                                                              De plus, il est important de comprendre cla" -"irement les politiques de sécurité et de confidentialité " -"qui sont en place pour toutes les plateformes électroniques que vous ut" -"iliserez pour collecter vos données — parmi les exemples de telle" -"s politiques de confidentialité, il y a celles fournies par Qualtrics (enquête; " -"lien en anglais) et Zoom (entrevue;" -" lien en anglais).

                                                                              " - -msgid "" -"

                                                                              To support transcribing activities within y" -"our research project, it is recommended that you implement a transcribing prot" -"ocol which clearly outlines such things as formatting instructions, a summary " -"of contextual metadata to include, participant and interviewer anonymization, " -"and file naming conventions.

                                                                              -\n" -"

                                                                              When outsourcing transcribing services, and" -" especially when collecting sensitive data, it is important to have a confiden" -"tiality agreement in place with transcribers, including a protocol for their d" -"eleting any copies of data once it has been transcribed, transferred, and appr" -"oved. Additionally, you will need to ensure that methods for transferring and " -"storing data align with any applicable funder or institutional requirements.

                                                                              " -msgstr "" -"

                                                                              Pour soutenir les activités de trans" -"cription dans le cadre de votre projet de recherche, il est recommandé " -"de mettre en œuvre un protocole de transcription qui décrit clair" -"ement des éléments tels que les instructions de formatage, un r&" -"eacute;sumé des métadonnées contextuelles à inclur" -"e, l’anonymisation des participants et des enquêteurs, et les conv" -"entions de nomenclature des fichiers.

                                                                              -\n" -"

                                                                              Lorsque vous faites appel à des serv" -"ices de transcription en sous-traitance, et surtout lorsque vous collectez des" -" données sensibles, il est important de mettre en place une entente de " -"confidentialité avec les transcripteurs, y compris un protocole leur pe" -"rmettant de supprimer toute copie des données une fois qu’elles o" -"nt été transcrites, transférées et approuvé" -"es. De plus, vous devrez vous assurer que les méthodes de transfert et " -"de stockage des données sont conformes aux exigences du bailleur de fon" -"ds ou de l’établissement.

                                                                              " - -msgid "" -"

                                                                              Transferring of data is a critical stage of" -" the data collection process, and especially so when managing sensitive inform" -"ation. Data transfers may occur:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • from the field (" -"real world settings)
                                                                              • -\n" -"
                                                                              • from data provid" -"ers
                                                                              • -\n" -"
                                                                              • between research" -"ers
                                                                              • -\n" -"
                                                                              • between research" -"ers & stakeholders
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              It is best practice to identify data transf" -"er methods that you will use before" -" your research begins.

                                                                              -" -"\n" -"

                                                                              Some risks associated with the transferring" -" of data include loss of data, unintended copies of data files, and data being" -" provided to unintended recipients. You should avoid transferring data using u" -"nsecured methods, such as email. Typical approved methods for transferring dat" -"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" -"proved by your institution. 

                                                                              -\n" -"

                                                                              Talk to your local IT support to identify s" -"ecure data transferring methods available to you.

                                                                              " -msgstr "" -"

                                                                              Le transfert de données est une &eac" -"ute;tape critique du processus de collecte des données, et plus particu" -"lièrement de la gestion des informations sensibles. Des transferts de d" -"onnées peuvent avoir lieu :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • à partir " -"du terrain (lieux concrets) ;
                                                                              • -\n" -"
                                                                              • à partir " -"de fournisseurs de données ;
                                                                              • -\n" -"
                                                                              • entre des cherch" -"eurs ;
                                                                              • -\n" -"
                                                                              • entre des cherch" -"eurs et des intervenants.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Il est préférable de sp&eacut" -"e;cifier les méthodes de transfert de données que vous utilisere" -"z avant le début de votre recherche.

                                                                              -\n" -"

                                                                              Parmi les risques associés au transf" -"ert de données, il y a la perte de données, les copies involonta" -"ires de fichiers de données et le transfert de données à " -"des destinataires involontaires. Vous devez éviter de transférer" -" des données en utilisant des méthodes non sécurisé" -";es, telles que le courrier électronique. Les méthodes gé" -"néralement approuvées pour le transfert de données compre" -"nnent le protocole de transfert sécuritaire" -" de fichiers (SFTP), les extranets " -"sécurisés ou d’autres méthodes approuvées pa" -"r votre institution. 

                                                                              -\n" -"

                                                                              Parlez à votre service informatique " -"local pour connaître les méthodes de transfert de données " -"sécurisées qui vous sont proposées.

                                                                              " - -msgid "" -"

                                                                              Ensuring that your data files exist in non-" -"proprietary formats helps to ensure that they are able to be easily accessed a" -"nd reused by others in the future.

                                                                              -\n" -"

                                                                              Examples of non-proprietary file formats in" -"clude:

                                                                              -\n" -"

                                                                              Surveys: CSV" -"; HTML; Unicode Transformation Formats 

                                                                              -\n" -"

                                                                              Qualitative interviews:

                                                                              -\n" -" -\n" -"

                                                                              For more information and resources pertaini" -"ng to file formats you may wish to visit:

                                                                              -\n" -"" -msgstr "" -"

                                                                              En vous assurant que vos fichiers de donn&e" -"acute;es existent dans des formats non propriétaires, vous vous assurez" -" qu’ils pourront être facilement accessibles et réutilis&ea" -"cute;s par d’autres à l’avenir.

                                                                              -\n" -"

                                                                              Voici quelques exemples de formats de fichi" -"ers non propriétaires :

                                                                              -\n" -"

                                                                              Sondages : CSV ; HTML ; Formats de transformation Unicode " -"
                                                                              E" -"ntrevues qualitatives :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Fichiers audio&r" -"arr; MP3 ; FLAC ; Ogg
                                                                              • -\n" -"
                                                                              • Fichiers vid&eac" -"ute;o→ MP4&thi" -"nsp;; .mkv
                                                                              • -\n" -"
                                                                              • Transcriptions&r" -"arr; Texte brut, tel qu" -"e ASCII ; CSV ; HTML
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Pour plus d’informations et de ressou" -"rces concernant les formats de fichiers, vous pouvez consulter :

                                                                              -\n" -"" - -msgid "" -"

                                                                              Include a description of the survey codeboo" -"k(s) (data dictionary), as well as how it will be developed and generated. You" -" should also include a description of the interview data that will be collecte" -"d, including any important contextual information and metadata associated with" -" file formats.

                                                                              -\n" -"

                                                                              Your documentation may include study-level " -"information about:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • who created/coll" -"ected the data
                                                                              • -\n" -"
                                                                              • when it was crea" -"ted
                                                                              • -\n" -"
                                                                              • any relevant stu" -"dy documents
                                                                              • -\n" -"
                                                                              • conditions of us" -"e
                                                                              • -\n" -"
                                                                              • contextual detai" -"ls about data collection methods and procedural documentation about how data f" -"iles are stored, structured, and modified.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              A complete description of the data files ma" -"y include:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • naming and label" -"ling conventions
                                                                              • -\n" -"
                                                                              • explanations of " -"codes and variables
                                                                              • -\n" -"
                                                                              • any information " -"or files required to reproduce derived data.
                                                                              • -\n" -"
                                                                              -\n" -"More information about both general and discip" -"line specific data documentation is available at https://" -"www.dcc.ac.uk/guidance/standards/metadata" -msgstr "" -"

                                                                              Décrivez les guides de codification " -"de l’enquête (dictionnaire de données) et la manière" -" dont ils seront élaborés et générés. D&eac" -"ute;crivez également les données d’entrevue qui seront col" -"lectées, y compris toutes les informations contextuelles importantes et" -" les métadonnées associées aux formats de fichiers.

                                                                              -\n" -"

                                                                              Votre documentation peut comprendre des inf" -"ormations de l’étude sur :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • la personne qui " -"a créé ou collecté les données ; -\n" -"
                                                                              • le moment de sa " -"création ;
                                                                              • -\n" -"
                                                                              • des documents d&" -"rsquo;étude pertinents ;
                                                                              • -\n" -"
                                                                              • les conditions d" -"’utilisation ;
                                                                              • -\n" -"
                                                                              • des détai" -"ls contextuels sur les méthodes de collecte des données et des d" -"ocuments de procédure sur la manière dont les fichiers de donn&e" -"acute;es sont stockés, structurés et modifiés. -\n" -"
                                                                              -\n" -"

                                                                              Une description des fichiers de donné" -";es peut inclure :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • les conventions " -"de nomenclature et d’étiquetage ;
                                                                              • -\n" -"
                                                                              • les explications" -" des codes et des variables ;
                                                                              • -\n" -"
                                                                              • toutes les infor" -"mations ou tous les fichiers nécessaires pour reproduire des donn&eacut" -"e;es dérivées.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Pour plus d’informations sur la docum" -"entation des données générales et propres à la dis" -"cipline, consultez le lien suivant : https://www.dcc" -".ac.uk/guidance/standards/metadata (lien en anglais). " -";

                                                                              " - -msgid "" -"For guidance on file naming conventions please" -" see the University of Edinburgh." -msgstr "" -"Pour des conseils sur les conventions de nomen" -"clature des fichiers, veuillez consulter la bibliothèque de l" -"'UOttawa." - -msgid "" -"

                                                                              High quality documentation and metadata hel" -"p to ensure accuracy, consistency, and completeness of your data. It is consid" -"ered best practice to develop and implement protocols that clearly communicate" -" processes for capturing important information throughout your research projec" -"t. Example topics that these protocols " -"might cover include file naming conventions, file versioning, folder structure" -", and both descriptive and structural metadata. 

                                                                              -\n" -"Researchers and research staff should ideally " -"have the opportunity to contribute to the content of metadata protocols, and i" -"t is additionally useful to consult reg" -"ularly with members of the research team to capture any potential changes in d" -"ata collection/processing that need to be reflected in the documentation." -msgstr "" -"

                                                                              Une documentation et des métadonn&ea" -"cute;es de haute qualité contribuent à garantir l’exactitu" -"de, la cohérence et l’intégralité de vos donn&eacut" -"e;es. Il est préférable d’élaborer et de mettre en " -"œuvre des protocoles qui communiquent clairement les processus de saisie" -" des informations importantes tout au long de votre projet de recherche. Ces p" -"rotocoles peuvent notamment porter sur les conventions de nomenclature des fic" -"hiers, les versions des fichiers, la structure des dossiers et les méta" -"données descriptives et structurelles. 

                                                                              -\n" -"

                                                                              Les chercheurs et le personnel de recherche" -" devraient idéalement avoir la possibilité de contribuer au cont" -"enu des protocoles pour les métadonnées ; il est é" -"galement utile de consulter les membres de l’équipe de recherche " -"régulièrement afin de saisir tous les changements potentiels dan" -"s la collecte ou le traitement des données qui doivent être indiq" -"ués dans la documentation.

                                                                              " - -msgid "" -"

                                                                              Metadata are descriptions of the contents a" -"nd context of data files. Using a metadata standard (a set of required fields " -"to fill out) helps to ensure that your documentation is consistent, structured" -", and machine-readable, which is essential for depositing data in repositories" -" and making it easily discoverable by search engines.

                                                                              -\n" -"

                                                                              There are both general and d" -"iscipline-specific metadata standar" -"ds and tools for research data.

                                                                              -\n" -"

                                                                              One of the most widely used metadata standa" -"rds for surveys is DDI (Data Documentati" -"on Initiative), a free standard that can document and manage different stages " -"in the research data lifecycle including data collection, processing, distribu" -"tion, discovery and archiving.

                                                                              -\n" -"For assistance with choosing a metadata standa" -"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " -msgstr "" -"

                                                                              Les métadonnées sont des desc" -"riptions du contenu et du contexte des fichiers de données. L’uti" -"lisation d’une norme de métadonnées (un ensemble de champs" -" obligatoires à remplir) permet de garantir que votre documentation est" -" cohérente, structurée et lisible par une machine, ce qui est es" -"sentiel pour le dépôt des données dans les dép&ocir" -"c;ts et pour permettre aux moteurs de recherche de les découvrir facile" -"ment.

                                                                              -\n" -"

                                                                              Il existe des normes et des outils de m&eac" -"ute;tadonnées générales et spécifiq" -"ues à chaque discipline (lien en anglais) pour les données de recherche.

                                                                              -\n" -"

                                                                              L’une des normes de métadonn&e" -"acute;es les plus utilisées pour les enquêtes est la DDI (l’initiative de documentation des donn&ea" -"cute;es; lien en anglais), une norme gratuite qui peut documenter et " -"gérer différentes étapes du cycle de vie des donné" -"es de recherche, y compris la collecte, le traitement, la distribution, la d&e" -"acute;couverte et l’archivage des données.

                                                                              -\n" -"

                                                                              Pour obtenir de l’aide dans le choix " -"d’une norme de métadonnées, vous pouvez vous adresser &agr" -"ave; la bibliothèque de votre établissement ou envoyer un messag" -"e à support@portagenetwork.ca.

                                                                              " - -msgid "" -"

                                                                              Data storage is a critical component of man" -"aging your research data, and secure methods should always be used, especially" -" when managing sensitive data. Storing data on USB sticks, laptops, computers," -" and/or external hard drives without a regular backup procedure in place is no" -"t considered to be best practice due to their being a risk both for data breac" -"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " -"having only one copy, or multiple copies of data stored in the same physical l" -"ocation does little to mitigate risk. 

                                                                              -\n" -"

                                                                              Many universities offer networked file stor" -"age which is automatically backed up. Contact your local (e.g., faculty or org" -"anization) and/or central IT services to find out what secure data storage ser" -"vices and resources they are able to offer to support your research project.

                                                                              -\n" -"Additionally, you may wish to consider investi" -"gating Compute Canad" -"a’s Rapid Access Service whic" -"h provides Principal Investigators at Canadian post-secondary institutions wit" -"h a modest amount of storage and cloud resources at no cost." -msgstr "" -"

                                                                              Le stockage des données est un &eacu" -"te;lément essentiel de la gestion de vos données de recherche&th" -"insp;; des méthodes sécurisées devraient toujours ê" -"tre utilisées, en particulier pour la gestion des données sensib" -"les. Le stockage de données sur des clés USB, des ordinateurs po" -"rtables, des ordinateurs ou des disques durs externes sans procédure de" -" sauvegarde régulière n’est pas considéré co" -"mme une bonne pratique car il présente un risque de fuites de donn&eacu" -"te;es (soit par perte, vol, etc.), de corruption des donnés et de d&eac" -"ute;faillance du matériel informatique. Par ailleurs, le fait d’a" -"voir une seule copie ou plusieurs copies de données stockées au " -"même endroit physique ne contribue guère à atténuer" -" le risque. 

                                                                              -\n" -"

                                                                              De nombreuses universités proposent " -"un stockage de fichiers en réseau qui est automatiquement sauvegard&eac" -"ute;. Communiquez avec votre service informatique local (par exemple, votre fa" -"culté ou votre organisation) ou service informatique central pour savoi" -"r quels services et ressources de stockage de données sécuris&ea" -"cute;es ils offrent pour votre projet de recherche.

                                                                              -\n" -"

                                                                              De plus, vous pourriez considérer le" -" Service d’accès rapide de Calcul Canada qui fournit gratuitement aux chercheurs principaux des &" -"eacute;tablissements d’enseignement supérieur canadiens un stocka" -"ge et des ressources infonuagiques modestes.

                                                                              " - -msgid "" -"

                                                                              It is important to determine at the early s" -"tages of your research project how members of the research team will appropria" -"tely access and work with data. If researchers will be working with data using" -" their local computers (work or personal) then it is important to ensure that " -"data are securely transferred (see previous question on data transferring), co" -"mputers may need to be encrypted, and that all processes meet any requirements" -" imposed by funders, institutions, and research ethics offices.

                                                                              -\n" -"

                                                                              When possible, it can be very advantageous " -"to use a cloud-based environment so that researchers can remotely access and w" -"ork with data, reducing the need for data transferring and associated risks, a" -"s well as unnecessary copies of data existing.

                                                                              -\n" -"One such cloud environment that is freely avai" -"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " -msgstr "" -"

                                                                              Il est important de déterminer d&egr" -"ave;s les premières étapes de votre projet de recherche comment " -"les membres de l’équipe de recherche accéderont aux donn&e" -"acute;es et les utiliseront de manière appropriée. Si les cherch" -"eurs travailleront avec des données en utilisant leurs ordinateurs loca" -"ux (professionnels ou personnels), il est important de s’assurer que les" -" données sont transférées de manière sécuri" -"sée (voir la question précédente sur le transfert de donn" -"ées), que les ordinateurs soient cryptés et que tous les process" -"us répondent aux exigences imposées par les bailleurs de fonds, " -"les établissements et les comités d’éthique de la r" -"echerche.

                                                                              -\n" -"

                                                                              Lorsque cela est possible, il peut êt" -"re très avantageux d'utiliser un environnement infonuagique afin que le" -"s chercheurs puissent accéder et travailler à distance avec les " -"données, ce qui réduit la nécessité de transf&eacu" -"te;rer les données et les risques associés, ainsi que les copies" -" inutiles des données existantes.

                                                                              -\n" -"

                                                                              Un de ces environnements infonuagique libre" -"ment accessible aux chercheurs canadiens est le Service d’accè" -"s rapide de Calcul Canada." - -msgid "" -"

                                                                              Think about all of the data that will be ge" -"nerated, including their various versions, and estimate how much space (e.g., " -"megabytes, gigabytes, terabytes) will be required to store them. <" -"/p> -\n" -"

                                                                              The type of data you collect, along with th" -"e length of time that you require active storage, will impact the resources th" -"at you require. Textual and tabular data files are usually very small (a few m" -"egabytes) unless you have a lot of data. Video files are usually very large (h" -"undreds of megabytes up to several gigabytes). If you have a large amount of d" -"ata (gigabytes or terabytes), it will be more challenging to share and transfe" -"r it. You may need to consider networked storage options or more sophisticated" -" backup methods.

                                                                              -\n" -"You may wish to contact your local IT services" -" to discuss what data storage options are available to you, or consider the us" -"e of Compute Canada&" -"rsquo;s Rapid Access Service. " -" " -msgstr "" -"

                                                                              Pensez à toutes les données q" -"ui seront générées, y compris leurs différentes ve" -"rsions, et estimez l’espace (en mégaoctets, gigaoctets, té" -"raoctets, etc.) qui sera nécessaire pour les stocker. 

                                                                              -" -"\n" -"

                                                                              Le type de données que vous recueill" -"ez ainsi que la durée de stockage actif auront un impact sur les ressou" -"rces dont vous aurez besoin. Les fichiers de données textuelles et tabu" -"laires sont généralement très petits (quelques még" -"aoctets) à moins que vous ayez beaucoup de données. Les fichiers" -" vidéo sont généralement très volumineux (des cent" -"aines de mégaoctets à plusieurs gigaoctets). Si vous disposez d&" -"rsquo;une grande quantité de données (gigaoctets ou térao" -"ctets), il sera plus difficile de les partager et de les transférer. Vo" -"us devrez peut-être envisager des options de stockage en réseau o" -"u des méthodes de sauvegarde plus sophistiquées.

                                                                              -\n" -"

                                                                              Vous pouvez communiquer avec vos services i" -"nformatiques locaux pour discuter des options de stockage des données &" -"agrave; votre disposition ou envisager le recours au Service d’acc&eg" -"rave;s rapide de Calcul Canada.&nbs" -"p;

                                                                              " - -msgid "" -"

                                                                              Proprietary data formats are not optimal fo" -"r long-term preservation of data as they typically require specialized license" -"d software to open them. Such software may have costs associated with its use," -" or may not even be available to others wanting to re-use your data in the fut" -"ure.

                                                                              -\n" -"

                                                                              Non-proprietary file formats, such as comma" -"-separated values (.csv), text (" -".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" -"n mind that preservation-friendly files converted from one format to another m" -"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" -"essed JPG file), so changes to file formats should be documented.

                                                                              -\n" -"

                                                                              Identify the steps required to ensure the d" -"ata you are choosing to preserve is error-free, and converted to recommended f" -"ormats with a minimal risk of data loss following project completion. Some str" -"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" -", changing voices) also remove information of value to other researchers.

                                                                              -\n" -"

                                                                              See this Portage DMP Exemplar in English or French<" -"/span> for more help describing preservati" -"on-readiness.

                                                                              " -msgstr "" -======= -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, interview guides, or focus group procedures" -". If using a pre-existing instrument or scale, provide the citation(s) in this" -" section." -msgstr "" -"Décrivez tous les instruments ou &eacut" -"e;chelles de collecte de données qui seront utilisés pour collec" -"ter les données. Il peut s’agir, entre autres, de questionnaires," -" de guides d’entretien ou de procédures de groupes de discussion." -" Si vous utilisez un instrument ou une échelle préexistante, fou" -"rnissez les citations dans cette section." - -msgid "" -"Describe the frequency in which you will be co" -"llecting data from participants. If you are performing narrative inquiry or lo" -"ngitudinal data collection for example, how often will you gather data from th" -"e same participants?" -msgstr "" -"Décrivez la fréquence à l" -"aquelle vous collecterez des données auprès des participants. Si" -" vous effectuez une enquête narrative ou une collecte de données " -"longitudinales par exemple, à quelle fréquence allez-vous collec" -"ter des données auprès des mêmes participants ?" - -msgid "" -"Provide an estimate of when you will begin and" -" conclude the data collection process. List this information in the following " -"format: YYYY/MM/DD - YYYY/MM/DD. If you do not know the exact dates, list YYYY" -"/MM - YYYY/MM instead." -msgstr "" -"Donnez une estimation de la date à laqu" -"elle vous commencerez et terminerez le processus de collecte des donnée" -"s. Fournissez ces renseignements dans le format suivant : AAAA/MM/JJ &mda" -"sh; AAAA/MM/JJ. Si vous ne connaissez pas les dates exactes, utilisez plut&oci" -"rc;t le format AAAA/MM — AAAA/MM." - -msgid "" -"Provide a description of the environment and g" -"eographic location of where data will be gathered, within the context of the s" -"tudy (e.g., hospital setting, long-term care setting, community). Include nati" -"onal, provincial, or municipal locations if applicable." -msgstr "" -"Décrivez de l’environnement et de" -" l’emplacement géographique dans lequel les données seront" -" recueillies dans le contexte de l’étude (par exemple, milieu hos" -"pitalier, établissement de soins de longue durée, communaut&eacu" -"te;). Précisez les emplacements nationaux, provinciaux ou municipaux, l" -"e cas échéant." - -msgid "" -"

                                                                              Summarize the steps that are involved in th" -"e data collection process for your study. This section should include informat" -"ion about screening and recruitment, the informed consent process, information" -" disseminated to participants before data collection, and the methods by which" -" data is gathered. 

                                                                              -\n" -"
                                                                              -\n" -"

                                                                              In this section, consider including documen" -"tation such as your study protocol, interview guide, questionnaire, etc.

                                                                              " -msgstr "" -"

                                                                              Résumez les étapes du process" -"us de collecte des données pour votre étude. Cette section doit " -"comprendre des renseignements sur la sélection et le recrutement, le pr" -"ocessus de consentement éclairé, l’information diffus&eacu" -"te;e aux participants avant la collecte des données et les métho" -"des de collecte des données. 

                                                                              -\n" -"

                                                                              Dans cette section, songez à inclure" -" des documents tels que votre protocole d’étude, le guide d&rsquo" -";entretien, le questionnaire, etc.

                                                                              " - -msgid "" -"Include a description of any software that wil" -"l be used to gather data. Examples may include but are not limited to word pro" -"cessing programs, survey software, and audio/video recording tools. Provide th" -"e version of each software program used if applicable." -msgstr "" -"Décrivez les logiciels qui serviront &a" -"grave; recueillir des données. Il peut s’agir, par exemple, de pr" -"ogrammes de traitement de texte, de logiciels d’enquête et d&rsquo" -";outils d’enregistrement audio/vidéo. Indiquez la version de chaq" -"ue logiciel utilisé, le cas échéant." - -msgid "" -"List the file formats associated with each sof" -"tware program that will be generated during the data collection phase (e.g., ." -"txt, .csv, .mp4, .wav)." -msgstr "" -"Indiquez les formats de fichiers associé" -";s à chaque logiciel qui seront générés pendant la" -" phase de collecte des données (par exemple, .txt, .csv, .mp4, .wav, et" -"c.)." - -msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. Examples might include any audit trail " -"steps, or versioning systems that you follow during the data analysis process." -"" -msgstr "" -"Décrivez comment vous allez suivre les " -"modifications apportées aux fichiers d’analyse des données" -". Il peut s’agir, par exemple, d’étapes de la piste de v&ea" -"cute;rification ou de systèmes de gestion des versions que vous utilise" -"z pendant le processus d’analyse des données." - -msgid "" -"Include any software programs you plan to use " -"to perform or supplement data analysis (e.g., NVivo, Atlas.ti, SPSS, SAS, R, e" -"tc.). Include the version if applicable." -msgstr "" -"Indiquez tous les logiciels que vous utilisere" -"z pour effectuer ou compléter l’analyse des données (par e" -"xemple, NVivo, Atlas.ti, SPSS, SAS, R, etc.). Précisez les versions, le" -" cas échéant." - -msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx). " -msgstr "" -"Indiquez les formats de fichiers associé" -";s à chaque logiciel d’analyse qui seront génér&eac" -"ute;s dans votre étude (par exemple, .txt, .csv, .xsls, .docx, etc.). <" -"/span>" - -msgid "" -"Include the coding scheme used to analyze your" -" data -- consider providing a copy of your codebook. If other methods of analy" -"sis were performed, describe them here. " -msgstr "" -"Précisez le système de codage ut" -"ilisé pour analyser vos données — pensez à fournir " -"une copie de votre guide de codification. Si d’autres méthodes d&" -"rsquo;analyse ont été utilisées, décrivez-les ici." -" " - -msgid "" -"Outline the steps that will be taken to ensure" -" the quality and transparency during the data analysis process. In this sectio" -"n, describe procedures for cleaning data, contacting participants to clarify r" -"esponses, and correcting data when errors are identified. Consider the princip" -"les of credibility, dependability, confirmability, and transferability as desc" -"ribed in Lincoln and Guba, 1985 when completing this section." -msgstr "" -"Décrivez les mesures qui seront prises " -"pour garantir la qualité et la transparence du processus d’analys" -"e des données. Dans cette section, décrivez les procédure" -"s de nettoyage des données, de communication avec les participants pour" -" clarifier les réponses et de correction des données lorsque des" -" erreurs sont trouvées. Tenez compte des principes de crédibilit" -"é, de fiabilité, de corroboration et de transférabilit&ea" -"cute; tels que décrits dans Lincoln et" -" Guba, 1985 (lien en anglais) lorsque vous complétez cette section." - -msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, codebook, information about software used, question" -"naires, user guide for the data, etc.)." -msgstr "" -"Réfléchissez aux renseignements " -"qui pourraient être utiles pour accompagner vos données si vous d" -"eviez les partager avec quelqu’un d’autre (par exemple, le protoco" -"le de l’étude, le guide des entretiens, le guide de codification," -" les renseignements sur les logiciels utilisés, les questionnaires, le " -"guide d’utilisation des données, etc.)." - -msgid "" -"Metadata standards can provide guidance on how" -" best to document your data. If you do not know of any existing standards in y" -"our field, visit this website to search for available standards: https://fairshari" -"ng.org/." -msgstr "" -"Les normes relatives aux métadonn&eacut" -"e;es peuvent fournir des conseils sur la meilleure façon de documenter " -"vos données. Si vous ne connaissez aucune norme existante dans votre do" -"maine, visitez ce site web pour rechercher les normes disponibles : https://f" -"airsharing.org/ (lien en anglais)." - -msgid "" -"Describe the participants whose lived experien" -"ces/phenomena are being studied in this project." -msgstr "" -"Décrivez les participants dont les exp&" -"eacute;riences vécues ou les phénomènes vécus font" -" l’objet de votre étude." - -msgid "" -"Provide a brief description of the sampling pr" -"ocess undertaken in the study (e.g., purposive sampling, theoretical sampling)" -"." -msgstr "" -"Décrivez sommairement le processus d&rs" -"quo;échantillonnage entrepris dans le cadre de l’étude (pa" -"r exemple, échantillonnage dirigé, échantillonnage th&eac" -"ute;orique)." - -msgid "" -"Outline any weighting or representative sampli" -"ng that is being applied in this study." -msgstr "" -"Indiquez les pondérations ou les &eacut" -"e;chantillonnages représentatifs que vous utilisez dans votre ét" -"ude." - -msgid "" -"Provide a glossary of any acronyms or abbrevia" -"tions used within your study." -msgstr "" -"Fournissez un glossaire de tous les acronymes " -"ou abréviations que vous utilisez dans votre étude." - -msgid "" -"Provide an estimate of how much data you will " -"collect in the form of terabytes, gigabytes, or megabytes as needed. Include e" -"stimates for each data type if possible (e.g., 2 GB for video files, 500 MB fo" -"r interview transcripts)." -msgstr "" -"Fournissez une estimation de la quantité" -"; de données que vous allez collecter sous forme de téraoctets, " -"gigaoctets ou mégaoctets selon les besoins. Donnez une estimation pour " -"chaque type de données si possible (par exemple, 2 Go pour les fic" -"hiers vidéo, 500 Mo pour les transcriptions d’entretiens)." - -msgid "" -"Describe where your data will be stored while " -"data is being gathered from participants (e.g., in a secure, password protecte" -"d computer file, hard copies stored in locked filing cabinets, or institutiona" -"l computer storage)." -msgstr "" -"Décrivez l’endroit où vos " -"données seront stockées pendant la collecte de données au" -"près des participants (par exemple, dans un fichier informatique s&eacu" -"te;curisé et protégé par un mot de passe, des copies papi" -"er stockées dans des classeurs verrouillés ou un serveur informa" -"tique institutionnel)." - -msgid "" -"If different from the above, describe where yo" -"ur data will be stored while performing data analysis." -msgstr "" -"S’il diffère de celui indiqu&eacu" -"te; ci-dessus, indiquez l’endroit où les données sont stoc" -"kées pendant le processus d’analyse des données." - -msgid "" -"Describe how your study data will be regularly" -" saved and updated. If using institutional servers, consult with your Informat" -"ion Technology department if you are unsure how frequently data is backed up.<" -"/span>" -msgstr "" -"Décrivez comment les données de " -"votre étude seront régulièrement sauvegardées et m" -"ises à jour. Si vous utilisez des serveurs institutionnels, consultez v" -"otre service informatique pour connaître la fréquence de sauvegar" -"de des données." - -msgid "" -"Outline the procedures that will safeguard sen" -"sitive data collected during your study. This may include storing identifying " -"data (consent forms) separately from anonymized data (audio files or transcrip" -"ts), keeping files password protected and secure, and only providing access to" -" investigators analyzing the data." -msgstr "" -"Décrivez les procédures qui perm" -"ettront de protéger les données sensibles recueillies au cours d" -"e votre étude. Cela peut inclure le stockage des données identif" -"icatoires (formulaires de consentement) séparément des donn&eacu" -"te;es anonymes (fichiers audio ou transcriptions), la protection et la s&eacut" -"e;curisation des fichiers par un mot de passe, et l’accès r&eacut" -"e;servé aux chercheurs qui analysent les données." - -msgid "" -"Provide examples of a consistent file naming c" -"onvention that will be used for this study. Examples of file names might inclu" -"de the type of file, participant number, date of interaction, and/or study pha" -"se. Follow t" -"his guide for more information on f" -"ile naming." -msgstr "" -"Donnez des exemples de convention de nomenclat" -"ure de fichier uniforme qui seront utilisés pour cette étude. Le" -"s exemples de noms de fichiers peuvent inclure le type de fichier, le num&eacu" -"te;ro de participant, la date d’interaction ou la phase de l’&eacu" -"te;tude. Consultez ce guide pour plus d’information sur la dénomination des fichiers." - -msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, external data repository" -", in secure, institutional computer" -" storage, or external hard drive)." -msgstr "" -"Décrivez où vos données s" -"eront stockées après l’achèvement du projet (par ex" -"emple, dans un dépôt institutionnel, un dépôt de donn&ea" -"cute;es externe (lien en anglais), sur un serveur de stockage inf" -"ormatique institutionnel sécurisé ou sur un disque dur externe)." -"" - -msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation(s) and contact" -" information." -msgstr "" -"Indiquez les personnes responsables de la gest" -"ion des données à l’issue du projet. Indiquez leur affilia" -"tion et leurs coordonnées." - -msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened i" -"n any program. Describe the process for migrating any data formats here." -msgstr "" -"De nombreux formats de fichiers proprié" -"taires, tels que ceux générés par les logiciels Microsoft" -" ou les outils d’analyse statistique, peuvent rendre les données " -"difficiles d’accès par la suite. Envisagez de transformer tout fi" -"chier propriétaire en formats c" -"onvenables à la préservation pour garantir que vos données puissent être ouvertes dans" -" n’importe quel programme. Décrivez le processus de migration de " -"vos formats de données ici." - -msgid "" -"Provide details on how long you plan to keep y" -"our data after the project, and list any requirements you must follow based on" -" Research Ethics Board guidelines, data use agreements, or funder requirements" -". " -msgstr "" -"Indiquez en détail la durée de c" -"onservation de vos données après le projet et indiquez les exige" -"nces que vous devez respecter en fonction des directives du comité d&rs" -"quo;éthique de la recherche, des accords d’utilisation des donn&e" -"acute;es ou des exigences du bailleur de fonds." - -msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include shredding physical documents, making data u" -"nretrievable with support from your Information Technology department, or othe" -"r personal measures to eliminate data files." -msgstr "" -"Décrivez les mesures qui seront prises " -"pour détruire les données de l’étude. Ces mesures p" -"euvent inclure, notamment, le déchiquetage de documents physiques, la d" -"estruction des données avec l’aide de votre service informatique " -"ou des mesures personnelles pour éliminer les fichiers de donnée" -"s." - -msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how and when informed consent is colle" -"cted during the data collection process. Examples include steps to gain writte" -"n or verbal consent, re-establishing consent at subsequent interviews, etc. " -msgstr "" -"Décrivez l’information fournie da" -"ns le protocole de votre comité d’éthique de la recherche," -" et décrivez comment et à quelles phases du processus de collect" -"e des données le consentement éclairé est recueilli. Il p" -"eut s’agir, par exemple, des étapes permettant d’obtenir un" -" consentement écrit ou verbal, du rétablissement du consentement" -" aux points de contact ultérieurs, etc.  " - -msgid "" -"Provide the name, institutional affiliation, a" -"nd contact information of the person(s) who hold intellectual property rights " -"to the data." -msgstr "" -"Indiquez le nom, l’affiliation instituti" -"onnelle et les coordonnées des personnes qui détiennent les droi" -"ts de propriété intellectuelle sur les données." - -msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations are included as participants, outline specific guidelines that " -"are being followed to protect them (e.g., OCAP, community advisory bo" -"ards, etc.)." -msgstr "" -"Décrivez toute préoccupation &ea" -"cute;thique qui pourrait être associée aux données de cett" -"e étude. Par exemple, si des populations vulnérables ou indig&eg" -"rave;nes ont été étudiées, décrivez les lig" -"nes directrices spécifiques qui sont suivies pour protéger les p" -"articipants (par exemple, les principes de PCAP, les conseils consultatifs communautaire" -"s, etc.)." - -msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by funder, " -"institutional, or community agreements, among others." -msgstr "" -"Indiquez en détail les restrictions jur" -"idiques qui s’appliquent à vos données. Ces restrictions p" -"euvent inclure, notamment, des détails sur la manière dont vos d" -"onnées de recherche peuvent être utilisées selon les direc" -"tives d’un bailleur de fonds, une institution ou un accord communautaire" -", notamment." - -msgid "" -"List all the steps that will be taken to remov" -"e the risk of disclosing personal information from study participants. Include" -" information about keeping data safe and secure, and whether certain informati" -"on will be removed from the data. If data is being anonymized or de-identified" -", specify the information type(s) being altered (e.g., names, addresses, dates" -", location)." -msgstr "" -"Énumérez toutes les mesures qui " -"seront prises pour éliminer le risque de divulgation d’informatio" -"n personnelle des participants à l’étude. Précisez " -"les mesures pour la sécurité des données et indiquez si c" -"ertains renseignements seront supprimés des ensembles de données" -". Si les données sont anonymisées ou dépersonnalisé" -";es, précisez les types de renseignements qui seront modifiés (p" -"ar exemple, noms, adresses, dates, lieux)." - -msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include, but not be li" -"mited to personnel, storage requirements, software, or hardware." -msgstr "" -"Décrivez toutes les ressources financi&" -"egrave;res qui peuvent être nécessaires pour gérer correct" -"ement vos données de recherche. Celles-ci peuvent être lié" -"es au personnel, au stockage, aux logiciels, au matériel, etc." - -msgid "" -"Provide the name(s), affiliation(s), and conta" -"ct information for the main study contact." -msgstr "" -"Indiquez les noms, l’affiliation et les " -"coordonnées des personnes-ressources à contacter pour l’&e" -"acute;tude" - -msgid "" -"Provide the name(s), affiliation(s), contact i" -"nformation, and responsibilities of each study team member in relation to work" -"ing with the study data. If working with institutional Information Technology " -"members, statisticians, or other stakeholders outside your immediate team, pro" -"vide their information as well." -msgstr "" -"Indiquez les noms, l’affiliation, les co" -"ordonnées et les responsabilités de chaque membre de l’&ea" -"cute;quipe d’étude qui travaille avec les données de l&rsq" -"uo;étude. Si vous travaillez avec des membres du service informatique d" -"’une institution, des statisticiens ou d’autres intervenants en de" -"hors de votre équipe immédiate, fournissez également leur" -" information." - -msgid "" -"Describe the process by which new collaborator" -"s/team members will be added to the project, if applicable. Include the type(s" -") of responsibilities that may require new team members to be added during, or" -" after the project is complete." -msgstr "" -"Décrivez le processus par lequel de nou" -"veaux collaborateurs ou membres de l’équipe seront ajoutés" -" au projet, le cas échéant. Indiquez les types de responsabilit&" -"eacute;s qui peuvent nécessiter l’ajout de nouveaux membres d&rsq" -"uo;équipe pendant ou après le projet. " - -msgid "" -"Describe the intended audience for your data. " -"" -msgstr "" -"Décrivez le public auquel s’adres" -"sent vos données." - -msgid "" -"Describe what data can/will be shared at the e" -"nd of the study. " -msgstr "" -"Décrivez les données qui peuvent" -" être ou seront partagées à la fin de l’étude" -". " - -msgid "" -"Restrictions on data may include, but are not " -"limited to, the sensitivity of the data, data being acquired under license, or" -" data being restricted under a data use agreement. Describe what restrictions " -"(if any) apply to your research data. " -msgstr "" -"Les restrictions sur les données peuven" -"t inclure, notamment, la sensibilité des données, les donn&eacut" -"e;es acquises sous licence ou les données faisant l’objet de rest" -"rictions en vertu d’un accord d’utilisation des données. D&" -"eacute;crivez les restrictions (le cas échéant) qui s’appl" -"iquent à vos données de recherche." - -msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, or through your Research Ethics Board," -" among others." -msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager vos données. Il peut s’agir d’" -"un dépôt institutionnel, un dépôt de données exte" -"rne (lien en anglais)" -", par le biais d’une approbation de la communauté ou par l’" -"intermédiaire de votre comité d’éthique de la reche" -"rche." - -msgid "" -"If your data is restricted, describe how a res" -"earcher could access that data for secondary analysis. Examples of these proce" -"dures may include completing a Research Ethics Board application, signing a da" -"ta use agreement, submitting a proposal to a community advisory board, among o" -"thers. Be as specific as possible in this section." -msgstr "" -"Si vos données sont protég&eacut" -"e;es, décrivez comment un chercheur pourrait y accéder pour une " -"analyse secondaire. Il peut s’agir, par exemple, de remplir une demande " -"auprès d’un comité d’éthique de la recherche," -" de signer un accord d’utilisation des données, de soumettre une " -"proposition à un conseil consultatif communautaire, entre autres. Soyez" -" aussi précis que possible dans cette section." - -msgid "" -"Select a license that best suits the parameter" -"s of how you would like to share your data, and how you would prefer to be cre" -"dited. See this resource to help you decide: https://creativecommons.or" -"g/choose/." -msgstr "" -"Choisissez une licence qui correspond le mieux" -" à la manière dont vous souhaitez partager vos données et" -" dont vous préférez être crédité. Consultez " -"cette ressource pour vous aider à prendre une décision : https://creativecom" -"mons.org/choose/?lang=fr." - -msgid "" -"Describe the software/technology being develop" -"ed for this study, including its intended purpose." -msgstr "" -"Décrivez le logiciel ou la technologie " -"développé(e) pour cette étude, y compris son objectif." - -msgid "" -"Describe the underlying approach you will take" -" to the development and testing of the software/technology. Examples may inclu" -"de existing frameworks like the systems development life cycle, or user-centred design framework. If you intend to " -"develop your own approach, describe that approach here. " -msgstr "" -"Décrivez l’approche sous-jacente " -"que vous adopterez pour le développement et les tests du logiciel ou de" -" la technologie. Il peut s’agir par exemple de cadres existants tels que" -" le cycle de vie de développement de " -"systèmes ou le cadre de conc" -"eption centrée sur l’utilisateur. Si vous avez l’intention " -"de développer votre propre approche, décrivez cette approche ici" -". " - -msgid "" -"If you are using open source or existing softw" -"are/technology code to develop your own program, provide a citation of that so" -"ftware/technology if applicable. If a citation is unavailable, indicate the na" -"me of the software/technology, its purpose, and the software/technology licens" -"e. " -msgstr "" -"Si vous utilisez un code source ouvert ou un l" -"ogiciel ou une technologie existant(e) pour développer votre propre pro" -"gramme, veuillez fournir une citation de ce logiciel ou cette technologie, le " -"cas échéant. Si aucune citation n’est disponible, indiquez" -" le nom du logiciel ou de la technologie, son objectif et la licence du logici" -"el ou de la technologie. " - -msgid "" -"Describe the methodology that will be used to " -"run and test the software/technology during the study. This may include: beta " -"testing measures, planned release dates, and maintenance of the software/techn" -"ology." -msgstr "" -"Décrivez la méthodologie qui ser" -"a utilisée pour exécuter et tester le logiciel ou la technologie" -" pendant l’étude. Cela peut comprendre : les mesures de test" -" bêta, les dates de lancement prévues et la maintenance du logici" -"el ou de la technologie." - -msgid "" -"Describe the disability and accessibility guid" -"elines you will follow to ensure your software/technology is adaptable and usa" -"ble to persons with disabilities or accessibility issues. " -msgstr "" -"Décrivez les directives en matiè" -"re de handicap et d’accessibilité que vous suivrez pour vous assu" -"rer que votre logiciel ou technologie est adaptable et utilisable par les pers" -"onnes handicapées ou pour des questions d’accessibilité." - -msgid "" -"Describe the requirements needed to support th" -"e software/technology used in the study. This may include: types of operating " -"systems, type of server required, infrastructure necessary to run the program " -"(e.g., SQL database), and the types of devices this software/technology can be" -" used with (e.g., web, mobile)." -msgstr "" -"Décrivez les exigences nécessair" -"es pour soutenir le logiciel ou la technologie utilisés dans l’&e" -"acute;tude. Cela peut comprendre : les types de systèmes d’e" -"xploitation, le type de serveur requis, l’infrastructure nécessai" -"re pour exécuter le programme (par exemple, base de données SQL)" -", et les types d’appareils avec lesquels ce logiciel ou cette technologi" -"e peut être utilisé (par exemple, web, mobile)." - -msgid "" -"Consider what information might be useful to a" -"ccompany your software/technology if you were to share it with someone else. E" -"xamples may include documented code, user testing procedures, etc. This guide " -"provides simple steps to improve the transparency of open software (Prlic & Proctor, 2012)." -msgstr "" -"Réfléchissez à l’in" -"formation qui pourrait être utile pour accompagner votre logiciel ou tec" -"hnologie si vous deviez la partager avec quelqu’un d’autre. Il peu" -"t s’agir, par exemple, de code documenté, de procédures de" -" test utilisateur, etc. Ce guide propose des étapes simples pour am&eac" -"ute;liorer la transparence des logiciels ouverts (Prlic & Proctor, 2012; lien en anglais)." - -msgid "" -"Consider the software/technology development p" -"hase and indicate any instructions that will accompany the program. Examples m" -"ight include test-first development procedures, user acceptance testing measur" -"es, etc." -msgstr "" -"Considérez la phase de développe" -"ment du logiciel ou de la technologie et indiquez les instructions qui accompa" -"gneront le programme. Il peut s’agir, par exemple, de procédures " -"de développement avec test préalable, de mesures de test d&rsquo" -";acceptation par l’utilisateur, etc." - -msgid "" -"Include information about any programs or step" -"s you will use to track the changes made to program source code. Examples migh" -"t include utilizing source control systems such as Git or Subversion to trac" -"k changes and manage library dependencies." -msgstr "" -"Incluez de l’information sur tous les pr" -"ogrammes ou étapes que vous utiliserez pour suivre les modifications ap" -"portées au code source du programme. Par exemple, vous pouvez utiliser " -"des systèmes de contrôle des sources tels que Git ou Subversion (liens en anglais) pour suivr" -"e les changements et gérer les dépendances des bibliothèq" -"ues." - -msgid "" -"Describe any plans to continue maintaining sof" -"tware/technology after project completion. Use this section to either describe" -" the ongoing support model, the intention to engage with industry, or plan to " -"apply for future funding." -msgstr "" -"Décrivez tout plan visant à pour" -"suivre la maintenance des logiciels et des technologies après l’a" -"chèvement du projet. Utilisez cette section pour décrire le mod&" -"egrave;le de soutien continu, l’intention de s’engager avec l&rsqu" -"o;industrie ou le plan pour demander un financement futur." - -msgid "" -"Include information about how the software/tec" -"hnology will remain secure over time. Elaborate on any encryption measures or " -"monitoring that will take place while maintaining the software/technology. " -msgstr "" -"Incluez de l’information sur la mani&egr" -"ave;re dont le logiciel ou la technologie restera sécurisé au fi" -"l du temps. Précisez les mesures de cryptage ou de surveillance qui ser" -"ont prises pendant la maintenance du logiciel ou de la technologie. " - -msgid "" -"List the copyright holder of the software/tech" -"nology. See the Copyri" -"ght Guide for Scientific Software f" -"or reference." -msgstr "" -"Listez les détenteurs des droits d&rsqu" -"o;auteur sur le logiciel ou la technologie. Consultez le Guide sur le droit d’auteur pour les " -"logiciels scientifiques (lien en anglais; ou ce guide su" -"r les droits d’auteur). " - -msgid "" -"Describe the license chosen for the software/t" -"echnology and its intended use. See list of license options here. " -msgstr "" -"Décrivez la licence choisie pour le log" -"iciel ou la technologie et son utilisation prévue. Consultez la liste d" -"es options de licence ici (" -"lien en anglais). " - -msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the software/technology. If working with developers, computer scientists" -", or programmers outside your immediate team, provide their information as wel" -"l." -msgstr "" -"Indiquez le nom, l’affiliation, les coor" -"données et les responsabilités de chaque membre de l’&eacu" -"te;quipe d’étude en relation avec le travail avec le logiciel ou " -"la technologie. Si vous travaillez avec des développeurs, des informati" -"ciens ou des programmeurs en dehors de votre équipe immédiate, f" -"ournissez également leur information." - -msgid "" -"Indicate the steps that are required to formal" -"ly approve a release of software/technology. " -msgstr "" -"Indiquez les étapes nécessaires " -"à l’approbation officielle d’une version de logiciel ou tec" -"hnologie." - -msgid "" -"Describe who the intended users are of the sof" -"tware/technology being developed. " -msgstr "" -"Décrivez qui sont les utilisateurs pr&e" -"acute;vus du logiciel ou de la technologie en cours de développement. <" -"/span>" - -msgid "" -"Describe the specific elements of the software" -"/technology that will be made available at the completion of the study. If the" -" underlying code will also be shared, please specify. " -msgstr "" -"Décrivez les éléments sp&" -"eacute;cifiques du logiciel ou de la technologie partagés à l&rs" -"quo;issue de l’étude. Veuillez préciser si le code sous-ja" -"cent sera également partagé. " - -msgid "" -"Describe any restrictions that may prohibit th" -"e release of software/technology. Examples may include commercial restrictions" -", patent restrictions, or intellectual property rules under the umbrella of an" -" academic institution." -msgstr "" -"Décrivez toutes les restrictions suscep" -"tibles d’interdire la diffusion du logiciel ou de la technologie. Il peu" -"t s’agir, par exemple, de restrictions commerciales, de restrictions en " -"matière de brevets ou de règles de propriété intel" -"lectuelle sous l’égide d’un établissement universita" -"ire." - -msgid "" -"Provide the location of where you intend to sh" -"are your software/technology (e.g., app store, lab website, an industry partne" -"r). If planning to share underlying code, please indicate where that may be av" -"ailable as well. Consider using a tool like GitHub to make your code accessible and retrievable." -msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager votre logiciel ou technologie (par exemple, l&rsq" -"uo;App Store, le site web du laboratoire, un partenaire industriel). Si vous p" -"révoyez de partager le code sous-jacent, veuillez également indi" -"quer l’endroit où il pourrait être disponible. Envisagez d&" -"rsquo;utiliser un outil tel que GitHub (" -"lien en anglais) pour rendre votre code accessible et récupé" -";rable." - -msgid "" -"Please describe the types of data you will gat" -"her across all phases of your study. Examples may include, but are not limited" -" to data collected from surveys, interviews, personas or user stories, images," -" user testing, usage data, audio/video recordings, etc." -msgstr "" -"Veuillez décrire les types de donn&eacu" -"te;es que vous allez recueillir à toutes les étapes de votre &ea" -"cute;tude. Il peut s’agir, par exemple, de données recueillies da" -"ns le cadre d’enquêtes, d’entretiens, de personas ou d&rsquo" -";histoires d’utilisateurs, d’images, de tests d’utilisateurs" -", de données d’utilisation, d’enregistrements audio/vid&eac" -"ute;o, etc." - -msgid "" -"If you will be combining original research dat" -"a with existing licensed, restricted, or previously used research data, descri" -"be those data here. Provide the name, location, and date of the dataset(s) use" -"d. " -msgstr "" -"Si vous allez combiner des données de r" -"echerche originales avec des données de recherche existantes sous licen" -"ce, restreintes ou déjà utilisées, décrivez ces do" -"nnées ici. Indiquez le nom, le lieu et la date des ensembles de donn&ea" -"cute;es utilisés. " - -msgid "" -"Provide a description of any data collection i" -"nstruments or scales that will be used to collect data. These may include but " -"are not limited to questionnaires, assessment scales, or persona guides. If us" -"ing a pre-existing instrument or scale from another study, provide the citatio" -"n(s) in this section." -msgstr "" -"Donnez une description de tous les instruments" -" ou échelles de collecte de données qui seront utilisés p" -"our collecter les données. Il peut s’agir, entre autres, de quest" -"ionnaires, d’échelles d’évaluation ou de guides de p" -"ersonas. Si vous utilisez un instrument ou une échelle préexista" -"nts provenant d’une autre étude, fournissez les citations dans ce" -"tte section." - -msgid "" -"Indicate how frequently you will be collecting" -" data from participants. For example, if you are conducting a series of user t" -"ests with the same participants each time, indicate the frequency here." -msgstr "" -"Indiquez à quelle fréquence vous" -" allez collecter des données auprès des participants. Par exempl" -"e, si vous effectuez une série de tests d’utilisateurs avec les m" -"êmes participants à chaque fois, indiquez la fréquence ici" -"." - -msgid "" -"Indicate the broader geographic location and s" -"etting where data will be gathered." -msgstr "" -"Indiquer la situation géographique et l" -"e contexte élargi dans lequel les données seront recueillies." - -msgid "" -"Utilize this section to include a descriptive " -"overview of the procedures involved in the data collection process. This may i" -"nclude but not be limited to recruitment, screening, information dissemination" -", and the phases of data collection (e.g., participant surveys, user acceptanc" -"e testing, etc.). " -msgstr "" -"Utilisez cette section pour inclure un aper&cc" -"edil;u descriptif des procédures impliquées dans le processus de" -" collecte des données. Cela peut comprendre, notamment, le recrutement," -" la sélection, la diffusion de l’information et les phases de la " -"collecte des données (par exemple, les enquêtes auprès des" -" participants, les tests d’acceptation par les utilisateurs, etc.). " -"; " - -msgid "" -"Include the name and version of any software p" -"rograms used to collect data in the study. If homegrown software/technology is" -" being used, describe it and list any dependencies associated with running tha" -"t program." -msgstr "" -"

                                                                              Indiquez le nom et la version de tout logic" -"iel utilisé pour collecter les données dans l’étude" -". Si un logiciel ou une technologie créé(e) à l’int" -"erne est utilisé(e), décrivez celui-ci ou celle-ci et énu" -"mérez toutes les dépendances associées à l’e" -"xécution de ce programme.

                                                                              " - -msgid "" -"List any of the output files formats from the " -"software programs listed above." -msgstr "" -"Indiquez les formats de fichiers issus des log" -"iciels énumérés ci-dessus." - -msgid "" -"Provide a description of how you will track ch" -"anges made to any data analysis files. An example of this might include your a" -"udit trails or versioning systems that you will follow iterations of the data " -"during the analysis process." -msgstr "" -"Décrivez comment vous allez suivre les " -"modifications apportées aux fichiers d’analyse des données" -". Il peut s’agir par exemple de vos pistes de vérification ou de " -"vos systèmes de gestion des versions qui vous permettront de suivre les" -" itérations des données pendant le processus d’analyse." - -msgid "" -"Describe the software you will use to perform " -"any data analysis tasks associated with your study, along with the version of " -"that software (e.g., SPSS, Atlas.ti, Excel, R, etc.)." -msgstr "" -"Décrivez le logiciel que vous utilisere" -"z pour effectuer les tâches d’analyse des données associ&ea" -"cute;es à votre étude, ainsi que la version de ce logiciel (par " -"exemple, SPSS, Atlas.ti, Excel, R, etc.). " - -msgid "" -"List the file formats associated with each ana" -"lysis software program that will be generated in your study (e.g., .txt, .csv," -" .xsls, .docx)." -msgstr "" -"Énumérez les formats de fichiers" -" associés à chaque logiciel d’analyse qui sera gén&" -"eacute;ré dans votre étude (par exemple, .txt, .csv, .xsls, .doc" -"x)." - -msgid "" -"Include any code or coding schemes used to per" -"form data analysis. Examples in this section could include codebooks for analy" -"zing interview transcripts from user testing, code associated with the functio" -"nal/non-functional requirements of the software/technology program, or analyti" -"cal frameworks used for evaluation." -msgstr "" -"Indiquez tous les codes ou systèmes de " -"codage utilisés pour effectuer l’analyse des données. Il p" -"eut s’agir, par exemple, des guides de codification pour l’analyse" -" des transcriptions d’entretiens des tests d’utilisation, des code" -"s associés aux exigences fonctionnelles ou non fonctionnelles du progra" -"mme logiciel ou technologique, ou des cadres analytiques utilisés pour " -"l’évaluation." - -msgid "" -"Use this section to describe any quality revie" -"w schedules, double coding measures, inter-rater reliability, quality review s" -"chedules, etc. that you intend to implement in your study." -msgstr "" -"Indiquez dans cette section les calendriers d&" -"rsquo;examen de la qualité, les mesures de double codage, la fiabilit&e" -"acute; entre évaluateurs, etc. que vous souhaitez mettre en œuvre" -" dans votre étude." - -msgid "" -"Consider what information might be useful to a" -"ccompany your data if you were to share it with someone else (e.g., the study " -"protocol, interview guide, personas, user testing procedures, data collection " -"instruments, or software dependencies, etc.)." -msgstr "" -"Réfléchissez à l’in" -"formation qui pourrait être utile pour accompagner vos données si" -" vous deviez les partager avec quelqu’un d’autre (par exemple, le " -"protocole de l’étude, le guide d’entretien, les personas, l" -"es procédures de test des utilisateurs, les instruments de collecte des" -" données ou les dépendances des logiciels, etc.)." - -msgid "" -"Describe the target population for which the s" -"oftware/technology is being developed (i.e., end users)." -msgstr "" -"Décrire la population cible pour laquel" -"le le logiciel ou la technologie est développé(e) (c’est-&" -"agrave;-dire les utilisateurs finaux)." - -msgid "" -"Describe the processes used to sample the popu" -"lation (e.g., convenience, snowball, purposeful, etc.)." -msgstr "" -"Décrivez les processus utilisés " -"pour échantillonner la population (par exemple, échantillonnage " -"de commodité, en boule de neige, délibéré, etc.).<" -"/span>" - -msgid "" -"For any data gathered, list the variables bein" -"g studied. For each variable, include the variable name, explanatory informati" -"on, variable type, and values associated with each variable. Examples may incl" -"ude demographic characteristics of stakeholders, components of the software/te" -"chnology program’s functional and nonfunctional requirements, etc. See g" -"uidance on how to create a" -" data dictionary." -msgstr "" -"Pour toute donnée recueillie, én" -"umérez les variables étudiées. Pour chaque variable, indi" -"quez le nom de la variable, les informations explicatives, le type de variable" -" et les valeurs associées à chaque variable. Il peut s’agi" -"r, par exemple, des caractéristiques démographiques des interven" -"ants, des composantes des exigences fonctionnelles et non fonctionnelles du lo" -"giciel ou du programme technologique, etc. Consultez le guide sur comment créer un dictionnaire d" -"e donnés (lien en anglais)." - -msgid "" -"Create a glossary of all acronyms or abbreviat" -"ions used within your study. " -msgstr "" -"Créez un glossaire de tous les acronyme" -"s ou abréviations utilisés dans votre étude. " - -msgid "" -"Provide an estimate of how much data you will " -"collect for all data in the form of terabytes, gigabytes, or megabytes as need" -"ed. Breaking down the size requirements by data types is advised (e.g., 2 GB r" -"equired for video files, 500 MB for survey data). " -msgstr "" -"Fournissez une estimation de la quantité" -"; de données que vous allez collecter pour l’ensemble des donn&ea" -"cute;es sous forme de téraoctets, gigaoctets ou mégaoctets selon" -" les besoins. Il est conseillé de ventiler les exigences de taille par " -"type de données (par exemple, 2 Go pour les fichiers vidéo," -" 500 Mo pour les données d’enquête)." - -msgid "" -"Indicate where and how data will be stored dur" -"ing data collection. Examples may include storing data in secure, password pro" -"tected computer files, encrypted cloud storage, software programs (e.g., REDCa" -"p), hard copies stored in locked filing cabinets, external hard drives, etc." -msgstr "" -"Indiquez l’endroit et la méthode " -"de stockage des données pendant la collecte des données. Il peut" -" s’agir, par exemple, du stockage de données dans des fichiers in" -"formatiques sécurisés et protégés par un mot de pa" -"sse, du stockage crypté dans les nuages, de programmes logiciels (par e" -"xemple REDCap), de copies papier stockées dans des classeurs verrouill&" -"eacute;s, de disques durs externes, etc." - -msgid "" -"If different from above, indicate where data i" -"s stored during the data analysis process. If data is being sent to external l" -"ocations for analysis by a statistician, describe that process here." -msgstr "" -"S’il diffère de celui indiqu&eacu" -"te; ci-dessus, indiquez l’endroit où les données sont stoc" -"kées pendant le processus d’analyse des données. Si les do" -"nnées sont envoyées à des endroits externes pour êt" -"re analysées par un statisticien, décrivez ce processus ici." - -msgid "" -"Indicate the security measures used to protect" -" participant identifying data. Examples may include storing informed consent f" -"orms separately from anonymized data, password protecting files, locking unuse" -"d computers, and restricting access to data that may contain identifying infor" -"mation. " -msgstr "" -"Indiquez les mesures de sécurité" -" utilisées pour protéger les données d’identificati" -"on des participants. Il peut s’agir, par exemple, de stocker les formula" -"ires de consentement éclairé séparément des donn&e" -"acute;es anonymisées, de protéger les fichiers par un mot de pas" -"se, de verrouiller les ordinateurs inutilisés et de restreindre l&rsquo" -";accès aux données pouvant contenir des renseignements identific" -"atoires. " - -msgid "" -"List any specific file naming conventions used" -" throughout the study. Provide examples of this file naming convention in the " -"text indicating the context for each part of the file name. See file naming gu" -"idance here<" -"/span>." -msgstr "" -"Indiquez les conventions de nomenclature des f" -"ichiers utilisées tout au long de l’étude. Donnez des exem" -"ples de cette convention de nomenclature de fichier dans le texte en indiquant" -" le contexte de chaque partie du nom du fichier. Consultez le guide de nomencl" -"ature des fichiers ici." - -msgid "" -"Describe how your study data will be regularly" -" saved, backed up, and updated. If using institutional servers, consult with y" -"our Information Technology department to find out how frequently data is backe" -"d up." -msgstr "" -"Décrivez comment les données de " -"votre étude seront régulièrement enregistrées, sau" -"vegardées et mises à jour. Si vous utilisez des serveurs institu" -"tionnels, consultez votre service informatique pour connaître la fr&eacu" -"te;quence de sauvegarde des données." - -msgid "" -"Outline the information provided in your Resea" -"rch Ethics Board protocol, and describe how informed consent is collected, and" -" at which phases of the data collection process. Examples include steps to gai" -"n written or verbal consent, re-establishing consent at subsequent points of c" -"ontact, etc. " -msgstr "" -"Décrivez l’information fournie da" -"ns le protocole de votre comité d’éthique de la recherche," -" et décrivez comment et à quelles phases du processus de collect" -"e des données le consentement éclairé est recueilli. Il p" -"eut s’agir, par exemple, des étapes permettant d’obtenir un" -" consentement écrit ou verbal, du rétablissement du consentement" -" aux points de contact ultérieurs, etc.  " - -msgid "" -"Describe any ethical concerns that may be asso" -"ciated with the data in this study. For example, if vulnerable and/or Indigeno" -"us populations were studied, outline specific guidelines that are being follow" -"ed to protect participants (e.g., " -"OCAP, community advisory boards, et" -"c.)." -msgstr "" -"Décrivez toute préoccupation &ea" -"cute;thique qui pourrait être associée aux données de cett" -"e étude. Par exemple, si des populations vulnérables ou indig&eg" -"rave;nes ont été étudiées, décrivez les lig" -"nes directrices spécifiques qui sont suivies pour protéger les p" -"articipants (par exemple, les principes de PCAP, les conseils cons" -"ultatifs communautaires, etc.)." - -msgid "" -"Provide details describing the legal restricti" -"ons that apply to your data. These restrictions may include, but are not limit" -"ed to details about how your research data can be used as outlined by a funder" -", institution, collaboration or commercial agreement. " -msgstr "" -"Indiquez en détail les restrictions jur" -"idiques qui s’appliquent à vos données. Ces restrictions p" -"euvent inclure, notamment, des détails sur la manière dont vos d" -"onnées de recherche peuvent être utilisées selon les direc" -"tives d’un bailleur de fonds, une institution, une collaboration ou un a" -"ccord commercial. " - -msgid "" -"Describe any financial resources that may be r" -"equired to properly manage your research data. This may include personnel, sto" -"rage requirements, software, hardware, etc." -msgstr "" -"Décrivez toutes les ressources financi&" -"egrave;res qui peuvent être nécessaires pour gérer correct" -"ement vos données de recherche. Celles-ci peuvent être lié" -"es au personnel, au stockage, aux logiciels, au matériel, etc." - -msgid "" -"Provide the name(s), affiliation, and contact " -"information for the main study contact." -msgstr "" -"Indiquez les noms, l’affiliation et les " -"coordonnées des personnes-ressources à contacter pour l’&e" -"acute;tude." - -msgid "" -"Provide the name(s), affiliation, contact info" -"rmation, and responsibilities of each study team member in relation to working" -" with the study data. " -msgstr "" -"Indiquez les noms, l’affiliation, les co" -"ordonnées et les responsabilités de chaque membre de l’&ea" -"cute;quipe d’étude qui travaille avec les données de l&rsq" -"uo;étude. " - -msgid "" -"Describe who the intended users are of the dat" -"a. Consider that those who would benefit most from your data may differ from t" -"hose who would benefit from the software/technology developed. " -msgstr "" -"Décrivez qui sont les utilisateurs pr&e" -"acute;vus des données. Tenez compte du fait que ceux qui profiteraient " -"le plus de vos données peuvent être différents de ceux qui" -" profiteraient du logiciel ou de la technologie développé(e)." - -msgid "" -"Outline the specific data that can be shared a" -"t the completion of the study. Be specific about the data (e.g., from surveys," -" user testing, app usage, interviews, etc.) and what can be shared." -msgstr "" -"Précisez les données qui peuvent" -" être partagées à l’issue de l’étude. S" -"oyez précis quant aux données (par exemple, provenant d’en" -"quêtes, de tests d’utilisateurs, d’utilisation d’appli" -"cations, d’entretiens, etc." - -msgid "" -"Describe any restrictions that may prohibit th" -"e sharing of data. Examples may include holding data that has confidentiality," -" license, or intellectual property restrictions, are beholden to funder requir" -"ements, or are subject to a data use agreement." -msgstr "" -"Décrivez toutes les restrictions qui po" -"urraient interdire le partage des données. Il peut s’agir, par ex" -"emple, de la détention de données assujetties à des restr" -"ictions en matière de confidentialité, de licence ou de propri&e" -"acute;té intellectuelle selon les exigences du bailleur de fonds ou qui" -" font l’objet d’un accord d’utilisation des données.<" -"/span>" - -msgid "" -"Provide the location where you intend to share" -" your data. This may be an institutional repository, external data repository, via community approval, or through you" -"r Research Ethics Board." -msgstr "" -"Indiquez l’endroit où vous avez l" -"’intention de partager vos données. Il peut s’agir d’" -"un dépôt institutionnel, un dépôt de données exte" -"rne (lien en anglais), par le biais d’une approbation de la" -" communauté ou par l’intermédiaire de votre comité " -"d’éthique de la recherche." - -msgid "" -"Describe where your data will be stored after " -"project completion (e.g., in an institutional repository, an external data reposit" -"ory, a secure institutional compute" -"r storage, or an external hard drive)." -msgstr "" -"Décrivez où vos données s" -"eront stockées après l’achèvement du projet (par ex" -"emple, dans un dépôt institutionnel, un dépôt de donn&ea" -"cute;es externe (lien en anglais), sur un serveur de stockage inf" -"ormatique institutionnel sécurisé ou sur un disque dur externe)." -"" - -msgid "" -"Name the person(s) responsible for managing th" -"e data at the completion of the project. List their affiliation and contact in" -"formation." -msgstr "" -"Indiquez les personnes responsables de la gest" -"ion des données à l’issue du projet. Indiquez leur affilia" -"tion et leurs coordonnées." - -msgid "" -"Many proprietary file formats such as those ge" -"nerated from Microsoft software or statistical analysis tools can make the dat" -"a difficult to access later on. Consider transforming any proprietary files in" -"to preservation-friendly formats<" -"/span> to ensure your data can be opened. " -"Describe the process for migrating your data formats here." -msgstr "" -"De nombreux formats de fichiers proprié" -"taires, tels que ceux générés par les logiciels Microsoft" -" ou les outils d’analyse statistique, peuvent rendre les données " -"difficiles d’accès par la suite. Envisagez de transformer tout fi" -"chier propriétaire en formats c" -"onvenables à la préservation pour garantir que vos données puissent être ouvertes. D&e" -"acute;crivez le processus de migration de vos formats de données ici." - -msgid "" -"Describe what steps will be taken to destroy s" -"tudy data. These steps may include but are not limited to shredding physical d" -"ocuments, making data unretrievable with support from your Information Technol" -"ogy department, or personal measures to eliminate data files." -msgstr "" -"Décrivez les mesures qui seront prises " -"pour détruire les données de l’étude. Ces mesures p" -"euvent inclure, notamment, le déchiquetage de documents physiques, la d" -"estruction des données avec l’aide de votre service informatique " -"ou des mesures personnelles pour éliminer les fichiers de donnée" -"s." - -msgid "" -"Drawings, songs, poems, films, short stories, " -"performances, interactive installations, and social experiences facilitated by" -" artists are examples of data. Data on " -"artistic processes can include documentation of techniques, stages, and contex" -"ts of artistic creation, and the physical materials (e.g., paints, textiles, f" -"ound objects) and tools (e.g., pencils, the body, musical instruments) used to" -" create artwork. Other types of data ar" -"e audio recordings of interviews, transcripts, photographs, videos, field note" -"s, historical documents, social media posts, statistical spreadsheets, and com" -"puter code." -msgstr "" -"Les dessins, chansons, poèmes, films, n" -"ouvelles, performances, installations interactives et expériences socia" -"les menées par des artistes sont tous des exemples de données. Parmi les données sur les process" -"us artistiques figure la documentation des techniques, des étapes, des " -"contextes, des matériaux (peintures, textiles, objets trouvés) e" -"t des outils (crayons, corps, instruments de musique) de la création ar" -"tistique. Les enregistrements audio d&r" -"squo;entrevues, transcriptions, photographies, vidéos, notes d’ob" -"servation, documents historiques, publication dans les médias sociaux, " -"feuilles de calcul statistiques et codes informatiques sont d’autres typ" -"es de données." - -msgid "" -"Artwork is a prominent type of data in ABR tha" -"t is commonly used as content for analysis and interpretation. Artworks that e" -"xist as, or are documented in, image, audio, video, text, and other types of d" -"igital files facilitate research data management. The same applies to preparat" -"ory, supplemental, and discarded artworks made in the creation of a principal " -"one. Research findings you create in the form of artwork can be treated as dat" -"a if you will make them available for researchers, artists, and/or the public " -"to use as data. Information about artistic processes can also be data. Read mo" -"re on artwork and artistic processes as data at Kultur II Group and Jisc." -msgstr "" -"Les œuvres sont des données impor" -"tantes dans la RBA, qui servent généralement de contenu pour l&r" -"squo;analyse et l’interprétation. Les œuvres document&eacut" -"e;es ou qui existent sous forme d’image, de son, de vidéo, de tex" -"te ou de fichier numérique facilitent la gestion des données de " -"recherche. Le même principe s’applique aux œuvres pré" -"liminaires, complémentaires ou écartées pendant la cr&eac" -"ute;ation de l’œuvre principale. Vous pouvez traiter vos ré" -"sultats de recherche, qui s’expriment sous forme d’œuvre, co" -"mme étant de données si elles sont accessibles aux chercheurs, a" -"ux artistes et au public. Toute information sur le processus artistique peut &" -"eacute;galement servir de données. Pour plus d’information sur le" -"s œuvres et le processus artistique comme données, veuillez consu" -"lter le Kult" -"ur II Group et Jisc (liens en a" -"nglais)." - -msgid "" -"Researchers and artists can publish their data" -" for others to reuse. Research data repositories and government agencies are s" -"ources of published data (e.g., Federated Research Data Repository
                                                                              , Statistics Canada). Your university may have its own research data repo" -"sitory. Academic journals may host published data as supplementary material co" -"nnected to their articles. If you need help finding resources for published da" -"ta, contact your institution’s library or reach out to the Portage DMP C" -"oordinator at support@portagenetwor" -"k.ca." -msgstr "" -"Les chercheurs et les artistes publient parfoi" -"s leurs données pour que d’autres puissent les utiliser. Les donn" -"ées publiées se trouvent auprès de dépôts de" -" données de recherche et d’agences gouvernementales (" -"Dépôt fédéré de données de recherche<" -"/span>, Statistique Canada). Votre établissement pourrait avoir" -" son propre dépôt. Certaines revues hébergent des donn&eac" -"ute;es publiées comme documents complémentaires à leurs a" -"rticles. Pour savoir où trouver des données publiées, con" -"tactez la bibliothèque de votre établissement ou le coordonnateu" -"r PGD de Portage à support@p" -"ortagenetwork.ca.
                                                                              " - -msgid "" -"Non-digital data should be digitized when poss" -"ible. Digitization is needed for many reasons, including returning artwork to " -"participants, creating records of performances, and depositing data in a repos" -"itory for reuse. When planning your documentation, consider what conditions (e" -".g., good lighting, sound dampening), hardware (e.g., microphone, smartphone)," -" software (e.g., video editing program), and specialized skills (e.g., filming" -" techniques, image-editing skills) you will need. High quality documentation w" -"ill make your data more valuable to you and others." -msgstr "" -"Il est important de numériser les donn&" -"eacute;es non numériques pour plusieurs raisons, notamment pour remettr" -"e les œuvres aux participants, consigner les performances et conserver l" -"es données dans un dépôt pour les réutiliser. En pl" -"anifiant votre documentation, pensez aux conditions (bon éclairage, att" -"énuation du bruit), au matériel (microphone, télép" -"hone intelligent), aux logiciels (programme de montage vidéo) et aux co" -"mpétences (techniques de tournage, édition d’images) n&eac" -"ute;cessaires. Avec une documentation de bonne qualité, vos donné" -";es seront plus valables aux autres." - -msgid "" -"

                                                                              Open (i.e., non-proprietary) file formats a" -"re preferred when possible because they can be used by anyone, which helps ens" -"ure others can access and reuse your data in the future. However, proprietary " -"file formats may be necessary for certain arts-based methods because they have" -" special capabilities for creating and editing images, audio, video, and text." -" If you use proprietary file formats, try to select industry-standard formats " -"(i.e., those widely used by a given community) or those you can convert to ope" -"n ones. UK Data Service<" -"/a> provides a table of recommended and accept" -"able file formats for various types of data.

                                                                              -\n" -"
                                                                              Original files of artwork and its docume" -"ntation should be in uncompressed file formats to maximize data quality. Lower" -" quality file formats can be exported from the originals for other purposes (e" -".g., presentations). Read more on file formats at
                                                                              UBC Library or UK Data Service." -msgstr "" -"

                                                                              Il est préférable d’uti" -"liser des formats de fichiers ouverts (non exclusifs) parce qu’ils facil" -"itent l’accès et la réutilisation de vos données. E" -"n revanche, les formats de fichiers exclusifs sont nécessaires pour cer" -"taines méthodes basées sur les arts en raison de leurs fonctions" -" uniques pour la création et l’édition d’images, de " -"son, de vidéo et de texte. Si vous utilisez des formats de fichiers exc" -"lusifs, choisissez idéalement des formats répandus dans l’" -"industrie et la communauté, ou qui se convertissent facilement en forma" -"t ouvert. Le UK Data Service (lien en anglais) et la bibliothèque de l'U" -"Ottawa suggèrent des formats de fic" -"hiers acceptables et recommandés pour divers types de données.

                                                                              -\n" -"

                                                                              Les fichiers originaux et la documentation " -"d’une œuvre ne doivent pas être compressés pour maxim" -"iser la qualité des données. Les formats de fichiers de moindre " -"qualité peuvent être exportés à partir des originau" -"x pour divers besoins (présentations). Pour plus d’information &a" -"grave; ce sujet, voir la bibliothèque de " -"l’UBC, UK Data Service (liens en anglais), ou le gouvernement du C" -"anada.

                                                                              " - -msgid "" -"Good data organization includes logical folder" -" hierarchies, informative and consistent naming conventions, and clear version" -" markers for files. File names should contain information (e.g., date stamps, " -"participant codes, version numbers, location, etc.) that helps you sort and se" -"arch for files and identify the content and right versions of files. Version c" -"ontrol means tracking and organizing changes to your data by saving new versio" -"ns of files you modified and retaining the older versions. Good data organizat" -"ion practices minimize confusion when changes to data are made across time, fr" -"om different locations, and by multiple people. Read more on file naming and v" -"ersion control at UBC Library, University of Leicester," -" and UK Data Service." -msgstr "" -"Pour bien organiser les données, il est" -" important d’utiliser des structures de dossiers logiques, des rè" -"gles de nomenclature concordantes et informatives, ainsi que des balises de ve" -"rsion pour les fichiers. Ces derniers devraient contenir de l’informatio" -"n (date d’origine, codes de participants, numéros de version, emp" -"lacement, etc.) qui vous permet de trier et de rechercher des fichiers, en plu" -"s d’identifier le contenu et les bonnes versions de fichiers. Le contr&o" -"circ;le de versions est une manière de suivre et d’organiser les " -"modifications de vos données, tout en sauvegardant de nouvelles version" -"s des fichiers modifiés ou en conservant les anciennes. Les bonnes prat" -"iques pour l’organisation des données minimisent la confusion au " -"fur et à mesure que les données sont modifiées par divers" -" sites ou personnes. Pour plus d’information à ce sujet, voir la " -"bibliothèque de l&rsqu" -"o;UOttawa, Université de Leicester" -" et UK D" -"ata Service (liens en anglais)." - -msgid "" -"A poem written to analyze a transcript could b" -"e named AnalysisPoem_IV05_v03.doc, meaning version 3 of the analysis poem for " -"the interview with participant 05. Revisions to the poem could be marked with " -"_v04, _v05, etc., or a date stamp (e.g., _20200112, _20200315)." -msgstr "" -"Un poème écrit pour analyser une" -" transcription devrait être nommé AnalysisPoem_IV05_v03.doc, ce q" -"ui signifie la version 3 du poème d’analyse pour l’ent" -"revue avec le participant 05. Les révisions du poème devrai" -"ent indiquer le numéro de version _v04, _v05, etc., ou la date d’" -"origine (_20200112, _20200315)." - -msgid "" -"Project-level metadata can include basic infor" -"mation about your project (e.g., title, funder, principal investigator, etc.)," -" research design (e.g., background, research questions, aims, artists or artwo" -"rk informing your project, etc.) and methodology (e.g., description of artisti" -"c process and materials, interview guide, transcription process, etc.). Item-l" -"evel metadata should include basic information about artworks and their docume" -"ntation (e.g., creator, date, subject, copyright, file format, equipment used " -"for documentation, etc.)." -msgstr "" -"Les métadonnées d’un proje" -"t peuvent inclure de l’information générale sur celui-ci (" -"titre, bailleur de fonds, chercheur principal, etc.), le plan de recherche (co" -"ntexte, questions de recherche, objectifs, œuvres sur lesquels le projet" -" repose, etc.) et la méthodologie (description du processus artistique " -"et des matériaux, guide d’entrevue, processus de transcription, e" -"tc.) Les métadonnées sur chaque élément devraient " -"inclure de l’information générale sur les œuvres et " -"leur documentation (créateur, date, sujet, droit d’auteur, format" -" de fichier, équipement utilisé pour la documentation, etc.)." - -msgid "" -"

                                                                              Cornell University defines metadata as “documentation that describes data” " -"(see also Concordia University Library). Creating good metadata includes providing inf" -"ormation about your project as well as each item in your database, and any oth" -"er contextual information needed for you and others to interpret and reuse you" -"r data in the future. CESSDA and UK Data Service<" -"/a> provide examples of project- and item-leve" -"l metadata. Because arts-based methods tend to be customized and fluid, descri" -"bing them in your project-level metadata is important.

                                                                              " -msgstr "" -"

                                                                              L’I" -"NRAE définit les méta" -"données comme étant de la « documentation dé" -"crivant des données » (voir aussi la bibliothèque de l’Université Concordia; lien" -" en anglais). En créant de " -"bonnes métadonnées, vous donnez de l’information sur votre" -" projet, ainsi que chaque élément de votre base de donnée" -"s et d’autres renseignements contextuels nécessaires pour interpr" -"éter et réutiliser vos données. Le CESSDA et UK Data Service (<" -"em>liens en anglais) proposent des exemples de métadonnées sur les" -" projets et leurs divers éléments. Les méthodes bas&eacut" -"e;es sur l’art sont souvent très personnelles et fluides, donc il" -" est important de les décrire dans vos métadonnées.

                                                                              " - -msgid "" -"Dublin Core and DDI are two widely used general metadata standards. Disc" -"ipline-specific standards used by museums and galleries (e.g., CCO, VRA Core) may be useful to describe artworks at" -" the item level. You can also explore arts-specific data repositories at re3data.org to see what me" -"tadata standards they use." -msgstr "" -"Dublin Core et DDI (liens en anglais) sont deux normes" -" de métadonnées très répandues. Les normes qu&rsqu" -"o;utilisent les musées et galeries (<" -"span style=\"font-weight: 400;\">CCO," -" VRA Core; lien en anglais) sont utiles pour décrire les éléments d’une " -"œuvre. Vous pouvez aussi explorer les dépôts de donné" -";es spécialisés dans les arts que suggère r" -"e3data.org (lien en anglais). Vous y trouverez des exemples de métadonnées utilisée" -"s." - -msgid "" -"A metadata standard is a set of established ca" -"tegories you can use to describe your data. Using one helps ensure your metadata is consistent, structured, and machi" -"ne-readable, which is essential for depositing data in repositories and making" -" them easily discoverable by search engines. While no specific metadata standa" -"rd exists for ABR, you can adopt existing general or discipline-specific ones (for more, see Queen&" -"rsquo;s University Library and Digital Curation Centre). For more help finding a suitable metadata standard, you may wish to co" -"ntact your institution’s library or reach out to the Portage DMP Coordin" -"ator at support@portagenetwork.ca." -msgstr "" -"Une norme de métadonnées est un " -"ensemble de catégories établies qui servent à décr" -"ire vos données. Vos méta" -"données sont ainsi concordantes, structurées et lisibles à" -"; la machine, ce qui est essentiel pour verser des données dans un d&ea" -"cute;pôt et qu’elles soient facilement découvrable par des " -"moteurs de recherche. Il n’y a pas de norme de métadonnées" -" propre à la RBA, mais vous pouvez adopter une norme géné" -"rale ou d’un autre champ de pratique (pour plus d’information, consultez la bibliothèque de l’Université Q" -"ueen’s et le Digital Curation Centre; liens en anglais). Pour obtenir de l’aide dans le choix d&rsquo" -";une norme de métadonnées, contactez la bibliothèque de v" -"otre établissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca." - -msgid "" -"One way to record metadata is to place it in a" -" separate text file (i.e., README file) that will accompany your data and to u" -"pdate it throughout your project. Cornell University provides a README file template you can " -"adapt. You can also embed item-level metadata in certain files, such as placin" -"g contextual information and participant details for an interview in a summary" -" page at the beginning of a transcript. Creating a data list, a spreadsheet th" -"at collects all your item-level metadata under key categories, will help you a" -"nd others easily identify items, their details, and patterns across them. UK Data Service has a data list template you can adapt." -msgstr "" -"Pour enregistrer des métadonnées" -", vous pouvez inclure avec vos données un fichier texte distinct (fichi" -"er README) que vous modifiez tout au long du projet. L’UBC" -" propose un modèle de fichier README qui est personnalisable. Il e" -"st aussi possible d’intégrer dans certains fichiers des mé" -"tadonnées sur les éléments, notamment avec de l’inf" -"ormation contextuelle et des détails sur les participants à la p" -"age sommaire et au début d’une transcription. En créant un" -"e liste de données, une feuille de calcul qui rassemble toutes vos m&ea" -"cute;tadonnées sur les éléments dans des catégorie" -"s clés, il est plus facile pour vous et autrui de repérer les &e" -"acute;léments, leurs particularités, ainsi que les tendances qui" -" se recoupent. Le UK Data " -"Service (lien en anglais) " -"offre une liste modèle de données qui est personnalisable." - -msgid "" -"Creating metadata should not be left to the en" -"d of your project. A plan that lays out how, when, where, and by whom metadata" -" will be captured during your project will help ensure your metadata is accura" -"te, consistent, and complete. You can draw metadata from files you have alread" -"y created or will create for your project (e.g., proposals, notebooks, intervi" -"ew guides, file properties of digital images). If your arts-based methods shif" -"t during your project, make sure to record these changes in your metadata. The" -" same practices for organizing data can be used to organize metadata (e.g., consistent naming conventions, file versi" -"on markers)." -msgstr "" -"N’attendez pas à la fin de votre " -"projet pour créer des métadonnées. Pour avoir des m&eacut" -"e;tadonnées précises, concordantes et complètes, é" -"laborez un plan qui décrit comment, quand, où et par qui les m&e" -"acute;tadonnées seront enregistrées pendant le projet. Vous pouv" -"ez extraire des métadonnées de fichiers que vous avez déj" -"à créés ou que vous comptez créer pour votre proje" -"t (propositions, carnets de note, guides d’entrevue, droit de propri&eac" -"ute;té des fichiers ou images numériques). Si vos méthode" -"s basées sur l’art changent en cours de route, n’oubliez pa" -"s de noter ces changements dans vos métadonnées. Les pratiques p" -"our l’organisation des données servent également à " -"l’organisation des métadonnées (conventions de nomenclature cohérentes, balises et version" -"s de fichier)." - -msgid "" -"Estimate the storage space you will need in megabytes, gigabytes, terabytes, e" -"tc., and for how long this storage will need to be active. Take into account f" -"ile size, file versions, backups, and the growth of your data, if you will cre" -"ate and/or collect data over several months or years." -msgstr "" -"Estimez l’espace de stockage qu’il" -" vous faudra en mégaoctets, gigaoctets ou téraoctets, ainsi que " -"la durée de stockage actif nécessaire. Tenez compte de la taille" -" de fichier, des versions de fichier, des sauvegardes et de la croissance de v" -"os données. Il est aussi important de déterminer si vous voulez " -"créer ou recueillir des données pendant plusieurs mois ou ann&ea" -"cute;es. " - -msgid "" -"

                                                                              Digital data can be stored on optical or ma" -"gnetic media, which can be removable (e.g., DVDs, USB drives), fixed (e.g., co" -"mputer hard drives), or networked (e.g., networked drives, cloud-based servers" -"). Each storage method has pros and cons you should consider. Having multiple " -"copies of your data and not storing them all in the same physical location red" -"uces the risk of losing your data. Follow the 3-2-1 backup rule: have at least" -" three copies of your data; store the copies on two different media; keep one " -"backup copy offsite. A regular backup schedule reduces the risk of losing rece" -"nt versions of your data. 

                                                                              -\n" -"Securely accessible servers or cloud-based env" -"ironments with regular backup processes are recommended for your offsite backu" -"p copy; however, you should know about the consequences of storing your data o" -"utside of Canada, especially in relation to privacy. Data stored in different " -"countries is subject to their laws, which may differ from those in Canada. Ens" -"ure your data storage and backup methods align with any requirements of your f" -"under, institution, and research ethics office. Read more on storage and backu" -"p practices at the U" -"niversity of Sheffield Library and UK Data Service" -msgstr "" -"

                                                                              Les données numériques peuven" -"t être stockées sur des supports optiques ou magnétiques a" -"movibles (DVD, clés USB), fixes (disques durs d’ordinateur) ou co" -"nnectés en réseau (lecteurs réseau, serveurs en ligne). C" -"haque méthode de stockage comporte des avantages et des inconvén" -"ients. Avec plusieurs copies de vos données qui sont stockées &a" -"grave; divers endroits, vous risquez moins de les perdre. Suivez la règ" -"le du 3-2-1 pour la sauvegarde : avoir au moins trois copies de donn&eacu" -"te;es ; stocker les données sur deux supports différents&" -"thinsp;; garder une copie de sauvegarde dans un endroit externe. Planifier la " -"sauvegarde réduit également le risque de perdre les versions de " -"vos données. 

                                                                              Le" -"s serveurs accessibles de façon sécuritaire ou les environnement" -"s en ligne (avec un processus de sauvegarde régulière) sont reco" -"mmandés pour les copies de sauvegarde externes. En revanche, il est imp" -"ortant de comprendre les conséquences de stocker vos données &ag" -"rave; l’extérieur du Canada, surtout en ce qui concerne la protec" -"tion de la vie privée. Les données sont soumises aux disposition" -"s législatives des pays où elles sont stockées, qui ne so" -"nt pas forcément les mêmes que celles du Canada. Choisissez des m" -"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" -"u bailleur de fonds, de l’établissement et du bureau d’&eac" -"ute;thique de la recherche. Pour plus d’information à ce sujet, c" -"onsultez la <" -"span style=\"font-weight: 400;\">bibliothèque de l’Université" -"; Sheffield et UK Data Service (liens en anglais).

                                                                              " - -msgid "" -"Many universities offer networked file storage" -" with automatic backup. Compute Canada’s Rapid Access Service provides principal investigators at Canadian postsecondary instit" -"utions a modest amount of storage and other cloud resources for free. Contact " -"your institution’s IT services to find out what secure data storage serv" -"ices are available to you." -msgstr "" -"Plusieurs universités offrent un servic" -"e de stockage de fichiers en réseau avec sauvegarde automatique. Le " -"Service d’accès rapide de calcul Canada offre aux chercheurs principaux d’établissement" -"s postsecondaires une petite quantité de stockage et d’autres res" -"sources en ligne gratuitement. Pour en apprendre plus sur les services de stoc" -"kage sécurisés, contactez la bibliothèque ou le service i" -"nformatique de votre établissement." - -msgid "" -"Describe how you will store your non-digital d" -"ata and what you will need to do so (e.g., physical space, equipment, special " -"conditions). Include where you will store these data and for how long. Ensure " -"your storage methods for non-digital data align with any requirements of your " -"funder, institution, and research ethics office." -msgstr "" -"Décrivez les mesures nécessaires" -" à prendre pour stocker vos données non numériques (espac" -"e physique, équipement, conditions spéciales). Précisez l" -"’endroit et la durée du stockage des données. Suivez des m" -"éthodes de stockage et de sauvegarde qui sont conformes aux exigences d" -"u bailleur de fonds, de l’établissement et du bureau d’&eac" -"ute;thique de la recherche." - -msgid "" -"

                                                                              Research team members, other collaborators," -" participants, and independent contractors (e.g., transcriptionists, videograp" -"hers) are examples of individuals who can transfer, access, and modify data in" -" your project, often from different locations. Ideally, a strategy for these a" -"ctivities facilitates cooperation, ensures data security, and can be adopted w" -"ith minimal instructions or training. If applicable, your strategy should addr" -"ess how raw data from portable recording devices will be transferred to your p" -"roject database (e.g., uploading raw video data within 48 hours, then erasing " -"the camera).

                                                                              -\n" -"

                                                                              Relying on email to transfer data is not a " -"robust or secure solution, especially for exchanging large files or artwork, t" -"ranscripts, and other data with sensitive information. Third-party commercial " -"file sharing services (e.g., Google Drive, Dropbox) are easy file exchange too" -"ls, but may not be permanent or secure, and are often located outside Canada. " -"Contact your librarian and IT services to develop a solution for your project." -"

                                                                              " -msgstr "" -"

                                                                              Les membres de l’équipe de rec" -"herche, autres collaborateurs, participants et travailleurs autonomes (transcr" -"ipteurs, vidéographes) participent au transfert, à l’acc&e" -"grave;s et à la modification des données de projet, souvent &agr" -"ave; partir de divers endroits. Les stratégies qui encadrent ces activi" -"tés doivent faciliter la coopération et préserver la s&ea" -"cute;curité des données. On doit aussi pouvoir les mettre en &oe" -"lig;uvre avec un minimum de directives ou de formation. Votre stratégie" -" devrait indiquer comment les données brutes des appareils d’enre" -"gistrement portatifs sont transférées à la base de donn&e" -"acute;es de votre projet (données vidéo brutes télé" -";chargées en 48 heures, puis effacées de la caméra)," -" le cas échéant.

                                                                              -\n" -"

                                                                              Le transfert de données par courrier" -" électronique n’est pas une solution robuste ou sécuritair" -"e, surtout pour l’échange de fichiers volumineux ou d’&oeli" -"g;uvres, transcriptions et autres données sensibles. Les services de pa" -"rtage de fichier commerciaux qui sont exploités par des tiers (Google D" -"rive, Dropbox) sont pratiques, mais ils ne sont pas forcément permanent" -"s ou sécuritaires, en plus d’être situés en dehors d" -"u Canada dans de nombreux cas. Contactez le bibliothécaire en chef de v" -"otre établissement et les services de TI afin de trouver une solution p" -"our votre projet.

                                                                              " - -msgid "" -"

                                                                              Preservation means storing data in ways tha" -"t make them accessible and reuseable to you and others long after your project" -" ends (for more, see Ghent " -"University). Many factors inform pr" -"eservation, including policies of funding agencies and academic publishers, an" -" understanding of the enduring value of a dataset, and ethical frameworks info" -"rming a project (e.g., making artwork co-created with community members access" -"ible to their community). 

                                                                              -\n" -"Creating a “living will” for your " -"data can help you decide what your preservation needs are in relation to these or other factors. It is a plan describ" -"ing how future researchers, artists, and others will be able to access and reu" -"se your data. If applicable, consider the needs of participants and collaborat" -"ors who will co-create and/or co-own artwork and other data. Your “livin" -"g will” can address where you will store your data, how they will be acc" -"essed, how long they will be accessible for, and how much digital storage spac" -"e you will need." -msgstr "" -"

                                                                              La préservation signifie de stocker " -"des données pour qu’elles soient accessibles et réutilisab" -"les pour vous et autrui bien après votre projet (pour plus d’info" -"rmation à ce sujet, voir l’Université G" -"hent; lien en anglais). Elle d&ea" -"cute;pend de plusieurs facteurs, dont les politiques des agences de financemen" -"t et des éditeurs de publications savantes. Il faut également co" -"nsidérer la valeur à long terme des ensembles de données," -" ainsi que les cadres éthiques d’un projet (par exemple, une comm" -"unauté qui a participé à la création d’une &" -"oelig;uvre doit pouvoir y accéder). 

                                                                              -\n" -"

                                                                              En rédigeant un « testa" -"ment de vie » pour vos données, vous définissez vos" -" besoins de préservation en fonction des données ou d’autr" -"es facteurs. Il s’agit d’un plan pour décrire comment les c" -"hercheurs, artistes et autres intervenants pourront accéder à vo" -"s données ou les réutiliser. Le cas échéant, pense" -"z aux besoins des participants et aux collaborateurs qui participent à " -"la création ou qui sont en partie propriétaires de l’&oeli" -"g;uvre et des données. Votre « testament de vie &ra" -"quo; définit où vous stockez vos données, la métho" -"de et durée de l’accès, ainsi que l’espace de stocka" -"ge nécessaire.

                                                                              " - -msgid "" -"Deposit in a data repository is one way to pre" -"serve your data, but keep in mind that not all repositories have a preservatio" -"n mandate. Many repositories focus on sharing data, not preserving them, meani" -"ng they will store and make your data accessible for a few years, but not long" -" term. It can be difficult to distinguish repositories with preservation servi" -"ces from those without, so carefully read the policies of repositories you are" -" considering for preservation and, if possible, before your project begins. If" -" you need or want to place special conditions on your data, check if the repos" -"itory will accommodate them and, if so, get written confirmation. Read more on" -" choosing a repository at OpenAIRE." -msgstr "" -"Les dépôts de données sont" -" une solution de préservation, mais n’oubliez pas qu’ils n&" -"rsquo;ont pas tous le même mandat à cet égard. Plusieurs d" -"épôts sont conçus pour le partage de données et non" -" la préservation. Par conséquent, vos données y sont acce" -"ssibles pendant quelques années, mais elles ne le sont pas à lon" -"g terme. Il est parfois difficile de savoir si un dépôt offre des" -" services de préservation, donc il est important de lire les politiques" -" à ce sujet, idéalement avant de commencer votre projet. Si vous" -" voulez des conditions particulières pour vos données, vous deve" -"z d’abord vous renseigner pour déterminer si le dépô" -"t peut y répondre. Le cas échéant, demandez une confirmat" -"ion écrite. Pour plus d’information à ce sujet, consultez " -"OpenAIRE (lien en anglais)." - -msgid "" -"

                                                                              Data repositories labelled as “truste" -"d” or “trustworthy” indicate they have met high standards fo" -"r receiving, storing, accessing, and preserving data through an external certi" -"fication process. Two certifications are Trustworthy Digital Repository an" -"d CoreTrustSeal

                                                                              " -" -\n" -"A repository that lacks certification may stil" -"l be a valid preservation option. Many established repositories in Canada have" -" not gone through a certification process yet. For repositories without certif" -"ication, you can evaluate their quality by comparing their policies to the sta" -"ndards of a certification. Read more on trusted data repositories at the University" -" of Edinburgh and OpenAIRE." -msgstr "" -"

                                                                              Pour obtenir la désignation de &laqu" -"o; fiable », les dépôts doivent suivre un pro" -"cessus d’homologation externe pour démontrer qu’ils r&eacut" -"e;pondent à de strictes normes en matière de réception, s" -"tockage, accès et préservation. Il existe deux types de certific" -"ation : Dépôt<" -"/a> numérique fiable et CoreTrustSeal (liens en anglais)" -".

                                                                              Sans nécessairement avoir" -" l’une ou l’autre de celles-ci, certains dépôts sont " -"néanmoins une option de préservation valable. Plusieurs dé" -";pôts reconnus au Canada n’ont pas encore suivi ce processus d&rsq" -"uo;homologation. Le cas échéant, évaluez la qualité" -"; de ces dépôts en comparant leurs politiques aux normes de certi" -"fication. Pour plus d’information à ce sujet, consultez l’<" -"/span>Université d’Edinburgh et OpenAIRE " -"(liens en anglais).

                                                                              " - -msgid "" -"Open file formats are considered preservation-" -"friendly because of their accessibility. Proprietary file formats are not opti" -"mal for preservation because they can have accessibility barriers (e.g., needi" -"ng specialized licensed software to open). Keep in mind that preservation-frie" -"ndly files converted from one format to another may lose information (e.g., co" -"nverting from an uncompressed TIFF file to a compressed JPEG file), so any cha" -"nges to file formats should be documented and double checked. See UK Data Service for a list of preservation-friendly file formats." -msgstr "" -"Les formats de fichiers ouverts sont adapt&eac" -"ute;s à la préservation parce qu’ils sont accessibles. Les" -" formats exclusifs sont moins recommandés parce que l’accè" -"s est parfois limité (il faut par exemple un logiciel sous licence pour" -" ouvrir le fichier). N’oubliez pas que certaines informations peuvent se" -" perdre en convertissant un fichier d’un format à l’autre (" -"convertir par exemple un fichier TIFF non compressé en fichier JPG comp" -"ressé), donc il faut documenter et vérifier tous les changements" -" de format. Voir le UK Data Ser" -"vice (lien en anglais) ou " -"la bibliothèque de l&r" -"squo;UOttawa pour une liste de formats adaptés à la pr&eacut" -"e;servation." - -msgid "" -"Converting to preservation-friendly file forma" -"ts, checking for unintended changes to files, confirming metadata is complete," -" and gathering supporting documents are practices, among others, that will hel" -"p ensure your data are ready for preservation." -msgstr "" -"Pour savoir si votre préservation est p" -"rête, vous devez déterminer si les formats de fichier sont adapt&" -"eacute;s, vérifier s’il y a eu des changements imprévus au" -"x fichiers, confirmer que vos métadonnées sont prêtes et r" -"assembler les documents à l’appui." - -msgid "" -"Sometimes non-digital data cannot be digitized" -" or practical limitations (e.g., cost) prevent them from being digitized. If y" -"ou want others to access and reuse your non-digital data, consider where they " -"will be stored, how they will be accessed, and how long they will be accessibl" -"e for. Sometimes, you can deposit your data in an archive, which will take res" -"ponsibility for preservation and access. If non-archivists (e.g., you, a partn" -"er community centre) take responsibility for preservation, describe how your n" -"on-digital data will be protected from physical deterioration over time. Make " -"sure to incorporate non-digital data into the “living will” for yo" -"ur data. Contact the archives at your institution for help developing a preser" -"vation strategy for non-digital data. Read more on preserving non-digital data" -" at Radboud University." -msgstr "" -"Il est parfois impossible de numériser " -"certaines données, notamment pour des raisons pratiques (coût par" -" exemple). Si vous désirez que vos données non numériques" -" soient accessibles et réutilisables, pensez au lieu où elles se" -"ront stockées, au type et à la durée de l’acc&egrav" -"e;s. Vous pourriez déposer vos données dans une archive, dont le" -"s responsables se chargeront de la préservation et de l’acc&egrav" -"e;s. En dehors des archives, les intervenants (par exemple vous-même ou " -"un centre communautaire partenaire) doivent gérer la préservatio" -"n et décrire comment protéger les données numériqu" -"es contre la détérioration physique au fil du temps. N’oub" -"liez pas d’inclure un « testament de vie » ave" -"c vos données. Si vous désirez de l’aide pour défin" -"ir une stratégie de préservation pour vos données non num" -"ériques, contactez la bibliothèque ou les archives de votre &eac" -"ute;tablissement. Pour plus d’information à ce sujet, consultez l" -"’Université Radboud (lien en anglais)." - -msgid "" -"Certain data may not have long-term value, may" -" be too sensitive for preservation, or must be destroyed due to data agreement" -"s. Deleting files from your computer is not a secure method of data disposal. " -"Contact your IT services, research ethics office, and/or privacy office to fin" -"d out how you can securely destroy your data. Read more on secure data disposa" -"l at UK Data Service." -msgstr "" -"Certaines données n’ont pas de va" -"leur à long terme, sont trop sensibles pour être préserv&e" -"acute;es ou doivent être détruites en vertu de divers accords. Ce" -" n’est pas sécuritaire de détruire des données en s" -"upprimant tout simplement des fichiers de votre ordinateur. Si vous voulez sav" -"oir comment procéder, contactez la bibliothèque ou les services " -"informatiques de votre établissement. Vous pouvez également fair" -"e appel au bureau d’éthique de la recherche ou au bureau de la pr" -"otection des renseignements personnels. Pour plus d’information à" -" ce sujet, consultez le UK Data Service (lien en anglais)." - -msgid "" -"

                                                                              Your shared data can be in different forms:" -"

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Raw data are the original, unaltered data obtained directly from data collect" -"ion methods (e.g., image files from cameras, audio files from digital recorder" -"s). In the context of your project, published data you reuse count as raw data" -".
                                                                              • -\n" -"
                                                                              • Processed data are raw data that have been modified to, for example, prepare " -"for analysis (e.g., removing video that will not be analyzed) or de-identify p" -"articipants (e.g., blurring faces, cropping, changing voices). 
                                                                              • -\n" -"
                                                                              • Analyzed data are the results of arts-based, qualitative, or quantitative ana" -"lyses of processed data, and include artworks, codebooks, themes, texts, diagr" -"ams, graphs, charts, and statistical tables.
                                                                              • -\n" -"
                                                                              • Final data are copies of " -"raw, processed, or analyzed data you are no longer working with. These copies " -"may have been migrated or transformed from their original file formats into pr" -"eservation-friendly formats.
                                                                              • -\n" -"
                                                                              " -msgstr "" -"

                                                                              Vous pouvez partager plusieurs formes de do" -"nnées :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Données brutes ou données originales, qui sont intactes et prov" -"iennent directement des méthodes du processus de cueillette (fichiers d" -"’image sur des caméras, fichiers audio d’enregistreurs num&" -"eacute;riques). Dans le contexte de votre projet, les données publi&eac" -"ute;es que vous réutilisez sont considérées comme é" -";tant brutes.
                                                                              • -\n" -"
                                                                              • Données traitées<" -"span style=\"font-weight: 400;\"> ou données brutes qui ont ét&eac" -"ute; modifiées, pour préparer une analyse par exemple (retirer d" -"es vidéos qui ne seront pas analysées) ou pour préserver " -"l’anonymat des participants (rendre les visages flous, recadrer ou chang" -"er les voix). 
                                                                              • -\n" -"
                                                                              • Données analysées" -" ou résultats d’une analyse bas&e" -"acute;e sur les arts, analyses quantitatives ou qualitatives de données" -" traitées, ce qui inclut les œuvres, manuels de code, thèm" -"es, textes, diagrammes, graphiques, tableaux et tables statistiques. -\n" -"
                                                                              • Données finales ou copie" -"s de données brutes, traitées ou analysées sur lesquelles" -" vous ne travaillerez plus. Ces copies peuvent avoir été transfo" -"rmées ou avoir migré du format de fichier original vers un fichi" -"er adapté à la préservation.
                                                                              • -\n" -"
                                                                              " - -msgid "" -"Sharing means making your data available to pe" -"ople outside your project (for more, see Ghent University and Iowa State University)." -" Of all the types of data you will create and/or collect (e.g., artwork, field" -" notes), consider which ones you need to share to fulfill institutional or fun" -"ding policies, the ethical framework of your project, and other requirements a" -"nd considerations. You generally need participant consent to share data, and y" -"our consent form should state how your data will be shared, accessed, and reus" -"ed." -msgstr "" -"Le partage signifie de rendre vos donné" -"es accessibles aux intervenants externes (voir l’Université" -"; Ghent et Univers" -"ité Iowa State; liens en anglais). Parmi tous les types de données que vous recueillez ou " -"créez (œuvres, notes d’observation), pensez à celles" -" que vous devrez partager conformément aux politiques institutionnelles" -" ou financières, au cadre éthique de votre projet et autres exig" -"ences. Il faut habituellement obtenir le consentement des participants pour le" -" partage de données. Votre formulaire de consentement doit donc d&eacut" -"e;finir le type de partage, d’accès et de réutilisation." - -msgid "" -"Describe which forms of data (e.g., raw, proce" -"ssed) you will share with restricted access due to confidentiality, privacy, i" -"ntellectual property, and other legal or ethical considerations and requiremen" -"ts. Remember to inform participants of any restrictions you will implement to " -"protect their privacy and to state them on your consent form. Read more on res" -"tricted access at University of Yo" -"rk." -msgstr "" -"Décrivez les types de données (b" -"rutes, traitées) qui seront partagées avec un accès restr" -"eint pour des raisons de confidentialité, protection de la vie priv&eac" -"ute;e, propriété intellectuelle ou autres exigences juridiques o" -"u éthiques. N’oubliez pas d’informer les participants des r" -"estrictions que vous établirez pour protéger leur vie priv&eacut" -"e;e. Précisez ces restrictions sur le formulaire de consentement. Pour " -"plus d’information à ce sujet, consultez l’Université de York (lien en " -"anglais)." - -msgid "" -"

                                                                              List the owners of the data in your project" -" (i.e., those who hold the intellectual property rights), such as you, collabo" -"rators, participants, and the owners of published data you will reuse. Conside" -"r how ownership will affect the sharing and reuse of data in your project. For" -" example, existing licenses attached to copyrighted materials that you, collab" -"orators, or participants incorporate into new artwork may prevent its sharing " -"or allow it with conditions, like creator attribution, non-commercial use, and" -" restricted access.

                                                                              " -msgstr "" -"

                                                                              Faites une liste des propriétaires d" -"es données de votre projet (détenteurs des droits de propri&eacu" -"te;té intellectuelle) : vous-même, les collaborateurs, les p" -"articipants ou les propriétaires des données que vous réu" -"tilisez. Évaluez l’impact du droit de propriété sur" -" le partage et la réutilisation des données de votre projet. Si " -"des collaborateurs, des participants ou vous intégrez des documents pro" -"tégés par le droit d’auteur dans une nouvelle œuvre," -" vous ne pouvez pas forcément la partager ou devez respecter certaines " -"conditions pour les partager (attribution du droit aux créateurs, utili" -"sation non commerciale et accès restreint), en vertu des licences qui s" -"e rattachent à ces documents.

                                                                              " - -msgid "" -"Several types of standard licenses are availab" -"le to researchers, such as Creative Commons licenses and Open Data Commons licenses. In most circumstances, it is easier to use a st" -"andard license rather than a custom-made one. If you make your data part of th" -"e public domain, you should make this explicit by using a license, such as Creative Commons CC0. Read more on data licenses at Digital" -" Curation Centre. " -msgstr "" -"Les chercheurs ont accès à diver" -"ses licences types, notamment les licences Creative Commons et les licenses Open Data Com" -"mons (lien en anglais). Da" -"ns la plupart des cas, il est plus simple d’utiliser une licence type qu" -"e sa propre licence personnalisée. Si vous comptez rendre vos donn&eacu" -"te;es publiques, vous devriez le préciser en utilisant une licence comm" -"e <" -"span style=\"font-weight: 400;\">Creative Commons CC0
                                                                              . Pour plus d’information à ce sujet, consul" -"tez le Digital Curation Centre (" -"lien en anglais). " - -msgid "" -"Include a copy of your end-user license here. " -"Licenses set out how others can use your data. Funding agencies and/or data re" -"positories may have end-user license requirements in place; if not, they may b" -"e able to guide you in developing a license. Only the intellectual property ri" -"ghts holder(s) of the data you want to share can issue a license, so it is cru" -"cial to clarify who holds those rights. Make sure the terms of use of your end" -"-user license fulfill any legal and ethical obligations you have (e.g., consen" -"t forms, copyright, data sharing agreements, etc.)." -msgstr "" -"Il faut inclure une copie de votre licence d&r" -"squo;utilisateur. Celle-ci définit comment les autres individus peuvent" -" utiliser vos données. Les agences de financement et les dép&oci" -"rc;ts de données ont parfois des exigences relatives aux licences d&rsq" -"uo;utilisateur. Si ce n’est pas le cas, ils pourraient vous aider &agrav" -"e; concevoir une licence. Seuls les détenteurs du droit de propri&eacut" -"e;té intellectuelle des données que vous voulez partager peuvent" -" émettre une licence. Il est donc très important de déter" -"miner à qui appartient ce droit. Les conditions d’utilisation de " -"votre licence d’utilisateur doivent être conformes à vos ob" -"ligations éthiques et juridiques (formulaires de consentement, droit d&" -"rsquo;auteur, ententes de partage de données, etc.)." - -msgid "" -"Many Canadian postsecondary institutions use D" -"ataverse, a popular data repository platform for survey data and qualitative t" -"ext data (for more, see Scholars Portal). It has many capabilities, including open and restricted acces" -"s, built-in data citations, file versioning, customized terms of use, and assi" -"gnment of a digital object identifier (DOI) to datasets. A DOI is a unique, persistent" -" identifier that provides a stable link to your data. Try to choose repositori" -"es that assign persistent identifiers. Contact your institution’s librar" -"y or the Portage DMP Coordinator at support@portagenetwork.ca to find out if a local Dataverse is availa" -"ble to you, or for help locating another repository that meets your needs. You" -" can also check out re3data.org, a dire" -"ctory of data repositories that includes arts-specific ones.
                                                                              " -msgstr "" -"Plusieurs établissements postsecondaire" -"s canadiens utilisent Dataverse, qui est une plateforme de dépôt " -"répandue pour les données d’enquête et les donn&eacu" -"te;es qualitatives sous forme de texte (pour plus d’information, voir Scholars Portal). Cette " -"plateforme offre plusieurs possibilités, dont l’accès ouve" -"rt et l’accès restreint, les citations de données int&eacu" -"te;grées, le suivi des versions de fichier, des conditions d’util" -"isation personnalisées et l’attribution d’un identificateur" -" d’objet numérique (DOI) aux ensembles de données. Un DOI est un i" -"dentifiant permanent unique, qui donne un lien stable vers vos données." -" Par conséquent, il est préférable de choisir des d&eacut" -"e;pôts qui en attribuent. Contactez la bibliothèque de votre &eac" -"ute;tablissement ou le coordonnateur PGD de Portage à support@portagenetwork.ca pour savoir si vous avez accès à Dataverse" -". Vous pourriez autrement trouver avec leur aide un autre dépôt q" -"ui répond à vos besoins. Consultez aussi le re3data.org (" -"lien en anglais), qui est un ré" -";pertoire de dépôts de données, notamment adapté au" -" domaine des arts." - -msgid "" -"

                                                                              Researchers can find data through data repo" -"sitories, word-of-mouth, project websites, academic journals, etc. Sharing you" -"r data through a data repository is recommended because it enhances the discov" -"erability of your data in the research community. You can also cite your depos" -"ited data the same way you would cite a publication, by including a link in th" -"e citation. Read more on data citation at UK Data Service<" -"/span> and Digi" -"tal Curation Centre -\n" -"

                                                                              The best ways to let artists and the public" -" know about your data may not mirror those of researchers. Social media, artis" -"tic organizations, and community partners may be options. For more help making" -" your data findable, contact your institution’s library or the Portage D" -"MP Coordinator at support@portagene" -"twork.ca.  

                                                                              " -msgstr "" -"

                                                                              Les chercheurs trouvent des données " -"par l’entremise de dépôts, du bouche-à-oreille, de s" -"ites web de projets, de revues savantes, etc. Pour partager vos données" -", il est préférable d’utiliser un dépôt pour " -"augmenter la découverte de vos données dans la communauté" -" de recherche. Vous pouvez aussi citer vos données déposé" -"es, tout comme vous citeriez une publication, en incluant un lien vers la cita" -"tion. Pour plus d’information à ce sujet, voir le UK Data Service et Digital Curation Centre (liens en anglais)" -"

                                                                              -\n" -"

                                                                              La meilleure approche pour faire conna&icir" -"c;tre vos données auprès des artistes et membres du public n&rsq" -"uo;est pas forcément la même que celle des chercheurs. Les m&eacu" -"te;dias sociaux, organisations artistiques et partenaires au sein de la commun" -"auté sont parfois de bonnes avenues. Si vous désirez de l’" -"aide faciliter l’accès à vos données, contactez la " -"bibliothèque de votre établissement ou le coordonnateur PGD de P" -"ortage à support@portagenetw" -"ork.ca.

                                                                              " - -msgid "" -"

                                                                              Research data management is often a shared " -"responsibility, which can involve principal investigators, co-investigators, c" -"ollaborators, graduate students, data repositories, etc. Describe the roles an" -"d responsibilities of those who will carry out the activities of your data man" -"agement plan, whether they are individuals or organizations, and the timeframe of their responsibilities. Consider wh" -"o can conduct these activities in relation to data management expertise, time " -"commitment, training needed to carry out tasks, and other factors.

                                                                              " -msgstr "" -"

                                                                              La gestion des données de recherche " -"est souvent une responsabilité partagée, notamment entre les che" -"rcheurs principaux, co-chercheurs, collaborateurs, étudiants de cycle s" -"upérieur, dépôts de données, etc. Décrivez l" -"es rôles et responsabilités de tous ceux qui participeront &agrav" -"e; la gestion des données de recherche, que ce soient des individus ou " -"des organisations. Il est aussi important de définir l’éch" -"éancier des responsabilités. Parmi d’autres considé" -"rations, réfléchissez aux personnes qui ont de l’expertise" -" dans la gestion de données, ainsi que le temps et la formation n&eacut" -"e;cessaire pour entreprendre les tâches requises.

                                                                              " - -msgid "" -"Expected and unexpected changes to who manages" -" data during your project (e.g., a student graduates, research staff turnover)" -" and after (e.g., retirement, death, agreement with data repository ends) can " -"happen. A succession plan details how research data management responsibilitie" -"s will transfer to other individuals or organizations. Consider what will happ" -"en if the principal investigator, whether you or someone else, leaves the proj" -"ect. In some instances, a co-investigator or the department or division overse" -"eing your project can assume responsibility. Your post-project succession plan" -" can be part of the “living will” for your data." -msgstr "" -"Les personnes qui gèrent les donn&eacut" -"e;es peuvent changer de manière attendue et inattendue pendant un proje" -"t (un étudiant termine ses études, le personnel de recherche cha" -"nge de poste) ou après celui-ci (retraite, décès, fin d&r" -"squo;une entente avec un dépôt de données). Il est donc im" -"portant de définir un plan de relève pour indiquer comment la ge" -"stion des données sera transférée à d’autres" -" individus ou organisations. Pensez aux éventuelles conséquences" -" si le chercheur principal, que ce soit vous ou une autre personne, quitte le " -"projet en cours de route. Dans certains cas, le co-chercheur, le départ" -"ement ou la division responsable du projet peut entreprendre cette responsabil" -"ité. Le plan de relève peut s’inscrire dans le «&thi" -"nsp;testament de vie » du projet." - -msgid "" -"Know what resources you will need for research" -" data management during and after your project and their estimated cost as ear" -"ly as possible. For example, transcription, training for research team members" -", digitizing artwork, cloud storage, and depositing your data in a repository " -"can all incur costs. Many funding agencies provide financial support for data " -"management, so check what costs they will cover. Read more on costing data man" -"agement at Digital Curati" -"on Centre and OpenAIRE." -msgstr "" -"Déterminez le type de ressources n&eacu" -"te;cessaires pour la gestion des données pendant et après votre " -"projet. Estimez les coûts le plus rapidement possible. Par exemple, la t" -"ranscription, la formation des membres de l’équipe de recherche, " -"la numérisation des œuvres, le stockage en ligne et dép&oc" -"irc;t des données entraînent tous des frais. La plupart des agenc" -"es de financement offrent un montant pour la gestion des données, donc " -"vérifiez quels coûts sont couverts. Pour plus d’information" -" à ce sujet, voir le Digital Curation Centre et " -"OpenAIRE (liens en anglais" -")." - -msgid "" -"Research data management policies can be set b" -"y funders, postsecondary institutions, legislation, communities of researchers" -", and research data management specialists. List policies relevant to managing" -" your data, including those of your institution and the Tri-Agency Research Da" -"ta Management Policy, if you have SSHRC, CIHR, or NSERC funding. Include URL l" -"inks to these policies. " -msgstr "" -"Les bailleurs de fonds, établissements " -"postsecondaires, mesures législatives, communautés de chercheurs" -" et spécialistes définissent parfois des politiques sur la gesti" -"on des données de recherche. Faites une liste des politiques qui concer" -"nent la gestion de vos données, notamment celles de votre établi" -"ssement et du CRSH, IRSC ou CRSNG si votre projet est financé par l&rsq" -"uo;un de ces trois organismes subventionnaires. Inclure un lien URL vers ces p" -"olitiques. " - -msgid "" -"

                                                                              Compliance with privacy and copyright law i" -"s a common issue in ABR and may restrict what data you can create, collect, pr" -"eserve, and share. Familiarity with Canadian copyright law is especially impor" -"tant in ABR (see Copyright Act of Canada, Can" -"adian Intellectual Property Office," -" Éducaloi, and Artists’ Legal Out" -"reach). Obtaining permissions is ke" -"y to managing privacy and copyright compliance and will help you select or dev" -"elop an end-user license. 

                                                                              -\n" -"It is also important to know about ethical and" -" legal issues pertaining to the cultural context(s) in which you do ABR. For e" -"xample, Indigenous data sovereignty and governance are essential to address in" -" all aspects of research data management in projects with and affecting First " -"Nations, Inuit, and Métis communities and lands (see FNIGC, ITK, and GIDA), including collective ownership of traditio" -"nal knowledge and cultural expressions (see UBC Library and ISED Canada). E" -"xperts at your institution can help you address ethical and legal issues, such" -" as those at your library, privacy office, research ethics office, or copyrigh" -"t office." -msgstr "" -"

                                                                              La RBA doit souvent se conformer aux lois s" -"ur la vie privée et au droit d’auteur, ce qui limite le type de d" -"onnées que vous pouvez créer, recueillir, préserver et pa" -"rtager. Il est donc très important de connaître le droit canadien" -" de la propriété intellectuelle (voir la Loi s" -"ur le droit d’auteur, " -"Office de la propriété" -"; intellectuelle du Canada, " -"Éducaloi et Artists’ Legal O" -"utreach; lien en anglais)." -" Conformément aux lois sur la vie privée et au droit d’aut" -"eur, il faut obtenir des permissions et choisir ou définir une licence " -"d’utilisateur appropriée. 

                                                                              Vous devez aussi connaître les enjeux éthiques e" -"t juridiques du contexte culturel dans lequel s’inscrit votre RBA. Par e" -"xemple, la gouvernance et souveraineté des données autochtones s" -"ont essentielles pour les projets de gestion des données qui touchent l" -"es territoires et communautés des Premières Nations, Inuits et M" -"étis (voir le CGIPN, ITK et <" -"span style=\"font-weight: 400;\">GIDA; liens en anglais). La propriété collective du savoir " -"traditionnel et des expressions culturelles est aussi une dimension trè" -"s importante (voir la bibliot" -"hèque de l’UBC [li" -"en en anglais] et ISDE Canada). Pour mieux comprendre ces enjeux éthiques et " -"juridiques, faites appel à l’expertise de votre bibliothèq" -"ue, bureau de la protection des renseignements personnels, bureau d’&eac" -"ute;thique de la recherche ou bureau du droit d’auteur.

                                                                              " - -msgid "" -"Obtaining permissions to create, document, and" -" use artwork in ABR can be complex when, for example, non-participants are dep" -"icted in artwork or artwork is co-created or co-owned, made by minors, or deri" -"ved from other copyrighted work (e.g., collages made of photographs, remixed s" -"ongs). Consider creating a plan describ" -"ing how you will obtain permissions for your project. It should include what y" -"ou want to do (e.g., create derivative artwork, deposit data); who to ask when" -" permission is needed for what you want to do; and, if granted, what the condi" -"tions are. " -msgstr "" -"Il est parfois compliqué d’obteni" -"r des permissions pour créer, documenter et utiliser des œuvres d" -"ans une RBA, si par exemple les œuvres mettent en scène des non-p" -"articipants ou si elles appartiennent partiellement ou elles ont ét&eac" -"ute; créées en partie par des mineurs. Les productions artistiqu" -"es dérivées d’une œuvre protégée par l" -"e droit d’auteur posent les mêmes défis (collages ré" -"alisés à partir de photographies, morceaux remixés). Vous" -" pourriez définir dans un plan les mesures à prendre pour obteni" -"r les permissions nécessaires à votre projet. Décrivez vo" -"tre projet (créer une œuvre dérivée, déposer" -" des données), indiquez où vous devez demander la permission et " -"les conditions qui s’appliquent si vous l’obtenez. " - -msgid "" -"Security measures for sensitive data include p" -"assword protection, encryption, and limiting physical access to storage device" -"s. Sensitive data should never be shared via email or cloud storage services n" -"ot approved by your research ethics office. Security measures for sensitive no" -"n-digital data include storage under lock and key, and logging removal and ret" -"urn of artwork from storage." -msgstr "" -"Les mesures de sécurité pour les" -" données sensibles incluent la protection de mot de passe, le chiffreme" -"nt et l’accès physique aux dispositifs de stockage limité." -" Il ne faut jamais partager des données sensibles par courrier é" -"lectronique ou par des services de stockage en ligne qui ne sont pas approuv&e" -"acute;s par le bureau d’éthique de la recherche. Les mesures de s" -"écurité pour les données sensibles non numériques " -"incluent l’entreposage sous clé, la suppression et le retour des " -"œuvres qui ont été entreposées." - -msgid "" -"

                                                                              Sensitive data is any data that may negativ" -"ely impact individuals, organizations, communities, institutions, and business" -"es if publicly disclosed. Copyrighted artwork, Indigenous cultural expressions" -", and personal identifiers in artwork or its documentation can be examples of " -"sensitive data in ABR. Your data security measures should be proportional to t" -"he sensitivity of your data: the more sensitive your data, the more data secur" -"ity you need. Read more on sensitive da" -"ta and data security at Data Storage and Security Tools (PDF) by McMaster Research Ethics Boa" -"rd, OpenAIRE" -", and U" -"K Data Service.

                                                                              " -msgstr "" -"

                                                                              Toutes les données ayant potentielle" -"ment un impact négatif sur des individus, organisations, communaut&eacu" -"te;s, établissements et entreprises si elles sont dévoilé" -"es publiquement sont considérées comme étant sensibles. L" -"es œuvres protégées par le droit d’auteur, les expre" -"ssions culturelles autochtones et les identifiants personnels dans une œ" -"uvre ou les documents à l’appui peuvent être des donn&eacut" -"e;es sensibles dans votre RBA. Les mesures de sécurité doivent &" -"ecirc;tre proportionnelles à la sensibilité de vos donnée" -"s : plus elles le sont, plus vous devez prendre des mesures de séc" -"urité. Pour plus d’informa" -"tion à ce sujet, consultez le " -"Data Storage and Security Tools (PDF) by McMaster Research Ethics Board" -", OpenAIRE, et UK Data Ser" -"vice (liens en anglais).

                                                                              " - -msgid "" -"Removing direct and indirect identifiers from " -"data is a common strategy to manage sensitive data. However, some strategies t" -"o remove identifiers in images, audio, and video also remove information of va" -"lue to others (e.g., facial expressions, context, tone of voice). Consult your" -" research ethics office to find out if solutions exist to retain such informat" -"ion. Read more on de-identifying data at UBC Library and UK Data Service." -msgstr "" -"Pour gérer les données sensibles" -", on retire souvent les identifiants directs et indirects des données. " -"En revanche, si on retire des identifiants d’images, bandes sonores et v" -"idéos, on élimine parfois aussi de l’information important" -"e pour autrui (expressions faciales, contexte, ton de voix). Consultez votre b" -"ureau d’éthique de la recherche pour trouver des solutions qui vo" -"us permettraient de retenir cette information. Pour plus d’information &" -"agrave; ce sujet, voir la biblioth&egr" -"ave;que de l’UBC et UK Data Service " -"(liens en anglais)." - -msgid "" -"

                                                                              Sensitive data can still be shared and reus" -"ed if strategies are in place to protect against unauthorized disclosure and t" -"he problems that can rise from it. Obtain the consent of participants to share" -" and reuse sensitive data beyond your project. Your consent form should state " -"how sensitive data will be protected when shared, accessed, and reused. Strate" -"gies to reduce the risk of public disclosure are de-identifying data and imple" -"menting access restrictions on deposited data. Make sure to address types of s" -"ensitive data beyond personal identifiers of participants. Your strategies sho" -"uld align with requirements of your research ethics office, institution, and, " -"if applicable, legal agreements for sharing data. Consult your research ethics" -" office if you need help identifying problems and strategies.

                                                                              " -msgstr "" -"

                                                                              Il est possible de partager et de ré" -"utiliser des données sensibles à condition d’avoir une str" -"atégie pour les protéger contre la divulgation non autoris&eacut" -"e;e et les problèmes qui en découlent. Vous devez obtenir le con" -"sentement des participants pour partager et réutiliser des donné" -"es sensibles au-delà de votre projet. Votre formulaire de consentement " -"doit indiquer comment celles-ci seront protégées en cas de parta" -"ge, d’accès et de réutilisation. Pour réduire le ri" -"sque qu’elles soient dévoilées sans autorisation, il est p" -"référable de les anonymiser et de mettre en place des restrictio" -"ns d’accès si elles sont déposées. N’oubliez " -"pas d’inclure toutes les données sensibles au-delà des ide" -"ntifiants personnels des participants. Vos stratégies doivent respecter" -" les exigences du bureau d’éthique de la recherche, de votre &eac" -"ute;tablissement et des ententes juridiques sur le partage des données," -" le cas échéant. Pour obtenir de l’aide afin de cerner les" -" enjeux et de mettre en place une stratégie, consultez votre bureau d&r" -"squo;éthique de la recherche.

                                                                              " - -msgid "" -"Examples of research data management policies that may be in place include tho" -"se set forth by funders, post secondary institutions, legislation, and communi" -"ties.
                                                                              -\n" -"

                                                                              Examples of these might include: 

                                                                              -\n" -"" -msgstr "" -"

                                                                              Parmi les exemples de politiques de gestion" -" des données de recherche qui peuvent être mises en place, il y a" -" celles qui sont définies par les bailleurs de fonds, les établi" -"ssements d’enseignement supérieur, la législation et les c" -"ommunautés. 

                                                                              -\n" -"

                                                                              En voici quelques exemples : -\n" -"

                                                                              " - -msgid "" -"Having a clear understanding of all the data that you will collect or use with" -"in your project will help with planning for their management.

                                                                              Incl" -"ude a general description of each type of data related to your project, includ" -"ing the formats that they will be collected in, such as audio or video files f" -"or qualitative interviews and focus groups and survey collection software or f" -"ile types.

                                                                              As well, provide any additional details that may be help" -"ful, such as the estimated length (number of survey variables/length of interv" -"iews) and quantity (number of participants to be interviewed) both of surveys " -"and interviews." -msgstr "" -"

                                                                              Une bonne compréhension de toutes le" -"s données que vous allez collecter ou utiliser dans le cadre de votre p" -"rojet vous aidera à planifier leur gestion. 

                                                                              -\n" -"

                                                                              Décrivez de manière gé" -"nérale chaque type de données liées à votre projet" -", y compris les formats dans lesquels elles seront collectées, tels que" -" les fichiers audio ou vidéo pour les entrevues qualitatives et les gro" -"upes de discussion, ainsi que les logiciels de collecte d’enquêtes" -" ou les types de fichiers.

                                                                              -\n" -"

                                                                              De plus, fournissez tous les détails" -" supplémentaires qui pourraient être utiles, tels que la dur&eacu" -"te;e estimée (nombre de variables de l’enquête ou la dur&ea" -"cute;e des entrevues) et la quantité (nombre de participants à i" -"nterroger) des enquêtes et des entrevues.

                                                                              " - -msgid "" -"

                                                                              There are many potential sources of existin" -"g data, including research data repositories, research registries, and governm" -"ent agencies. 

                                                                              -\n" -"

                                                                              Examples of these include:

                                                                              -\n" -" -\n" -" -\n" -"
                                                                                -\n" -"
                                                                              • Research data re" -"positories, such as those listed at " -"re3data.org
                                                                              • -\n" -"
                                                                              -\n" -" -\n" -"

                                                                              You may also wish to contact the Library at" -" your institution for assistance in searching for any existing data that may b" -"e useful to your research.

                                                                              " -msgstr "" -"

                                                                              Il existe de nombreuses sources potentielle" -"s de données, notamment les dépôts de données de re" -"cherche, les registres de recherche et les agences gouvernementales. -\n" -"

                                                                              En voici quelques exemples : -\n" -"

                                                                              -\n" -"

                                                                              Vous pouvez également communiquer av" -"ec la bibliothèque de votre établissement pour obtenir de l&rsqu" -"o;aide dans la recherche de données qui pourraient être utiles &a" -"grave; votre recherche.

                                                                              " - -msgid "" -"

                                                                              Include a description of any methods that y" -"ou will use to collect data, including electronic platforms or paper based met" -"hods. For electronic methods be sure to include descriptions of any privacy po" -"licies as well as where and how data will be stored while within the platform." -"

                                                                              For an example of a detaile" -"d mixed methods description, see this Portage DMP Exemplar in either English or French" -".

                                                                              -\n" -"

                                                                              There are many electronic survey data colle" -"ction platforms to choose from (e.g., Qualtrics, REDCap, Hosted in Canada Surveys). Understanding how <" -"span style=\"font-weight: 400;\">and " -"where your survey data will be col" -"lected and stored is an essential component of managing your data and ensuring" -" that you are adhering to any security requirements imposed by funders or rese" -"arch ethics boards. 

                                                                              -\n" -"Additionally, it is important to clearly under" -"stand any security and privacy policies that are in place for any given electr" -"onic platform that you will use for collecting your data  - examples of s" -"uch privacy policies include those provided by Qualtrics (survey) and Zoom (interviews)." -msgstr "" -"

                                                                              Décrivez toutes les méthodes " -"que vous utiliserez pour collecter des données, y compris les plateform" -"es électroniques ou les méthodes sur papier. Pour les mét" -"hodes électroniques, décrivez aussi toutes les politiques de pro" -"tection de confidentialité et indiquez où et comment les donn&ea" -"cute;es seront stockées sur la plateforme.

                                                                              -\n" -"

                                                                              Pour un exemple de description détai" -"llée des méthodologies mixtes, consultez ce modèle de PDG" -" de Portage en anglais ou" -" en français.

                                                                              -\n" -"

                                                                              Il existe de nombreuses plateformes de coll" -"ecte électronique de données d’enquête parmi lesquel" -"les choisir (par exemple, Qualtrics, REDCap, " -"Hosted in Canada Surveys; liens en anglais). Pour gérer vos données et faire en sorte que " -"vous respectiez toutes les exigences de sécurité imposées" -" par les bailleurs de fonds ou les comités d’éthique de la" -" recherche, vous devez comprendre comment et où les données de v" -"otre enquête seront collectées et stockées.  -\n" -"

                                                                              De plus, il est important de comprendre cla" -"irement les politiques de sécurité et de confidentialité " -"qui sont en place pour toutes les plateformes électroniques que vous ut" -"iliserez pour collecter vos données — parmi les exemples de telle" -"s politiques de confidentialité, il y a celles fournies par Qualtrics (enquête; " -"lien en anglais) et Zoom (entrevue;" -" lien en anglais).

                                                                              " - -msgid "" -"

                                                                              To support transcribing activities within y" -"our research project, it is recommended that you implement a transcribing prot" -"ocol which clearly outlines such things as formatting instructions, a summary " -"of contextual metadata to include, participant and interviewer anonymization, " -"and file naming conventions.

                                                                              -\n" -"

                                                                              When outsourcing transcribing services, and" -" especially when collecting sensitive data, it is important to have a confiden" -"tiality agreement in place with transcribers, including a protocol for their d" -"eleting any copies of data once it has been transcribed, transferred, and appr" -"oved. Additionally, you will need to ensure that methods for transferring and " -"storing data align with any applicable funder or institutional requirements.

                                                                              " -msgstr "" -"

                                                                              Pour soutenir les activités de trans" -"cription dans le cadre de votre projet de recherche, il est recommandé " -"de mettre en œuvre un protocole de transcription qui décrit clair" -"ement des éléments tels que les instructions de formatage, un r&" -"eacute;sumé des métadonnées contextuelles à inclur" -"e, l’anonymisation des participants et des enquêteurs, et les conv" -"entions de nomenclature des fichiers.

                                                                              -\n" -"

                                                                              Lorsque vous faites appel à des serv" -"ices de transcription en sous-traitance, et surtout lorsque vous collectez des" -" données sensibles, il est important de mettre en place une entente de " -"confidentialité avec les transcripteurs, y compris un protocole leur pe" -"rmettant de supprimer toute copie des données une fois qu’elles o" -"nt été transcrites, transférées et approuvé" -"es. De plus, vous devrez vous assurer que les méthodes de transfert et " -"de stockage des données sont conformes aux exigences du bailleur de fon" -"ds ou de l’établissement.

                                                                              " - -msgid "" -"

                                                                              Transferring of data is a critical stage of" -" the data collection process, and especially so when managing sensitive inform" -"ation. Data transfers may occur:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • from the field (" -"real world settings)
                                                                              • -\n" -"
                                                                              • from data provid" -"ers
                                                                              • -\n" -"
                                                                              • between research" -"ers
                                                                              • -\n" -"
                                                                              • between research" -"ers & stakeholders
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              It is best practice to identify data transf" -"er methods that you will use before" -" your research begins.

                                                                              -" -"\n" -"

                                                                              Some risks associated with the transferring" -" of data include loss of data, unintended copies of data files, and data being" -" provided to unintended recipients. You should avoid transferring data using u" -"nsecured methods, such as email. Typical approved methods for transferring dat" -"a include secure File Transfer Protocol (SFTP), secure extranets, or other methods ap" -"proved by your institution. 

                                                                              -\n" -"

                                                                              Talk to your local IT support to identify s" -"ecure data transferring methods available to you.

                                                                              " -msgstr "" -"

                                                                              Le transfert de données est une &eac" -"ute;tape critique du processus de collecte des données, et plus particu" -"lièrement de la gestion des informations sensibles. Des transferts de d" -"onnées peuvent avoir lieu :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • à partir " -"du terrain (lieux concrets) ;
                                                                              • -\n" -"
                                                                              • à partir " -"de fournisseurs de données ;
                                                                              • -\n" -"
                                                                              • entre des cherch" -"eurs ;
                                                                              • -\n" -"
                                                                              • entre des cherch" -"eurs et des intervenants.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Il est préférable de sp&eacut" -"e;cifier les méthodes de transfert de données que vous utilisere" -"z avant le début de votre recherche.

                                                                              -\n" -"

                                                                              Parmi les risques associés au transf" -"ert de données, il y a la perte de données, les copies involonta" -"ires de fichiers de données et le transfert de données à " -"des destinataires involontaires. Vous devez éviter de transférer" -" des données en utilisant des méthodes non sécurisé" -";es, telles que le courrier électronique. Les méthodes gé" -"néralement approuvées pour le transfert de données compre" -"nnent le protocole de transfert sécuritaire" -" de fichiers (SFTP), les extranets " -"sécurisés ou d’autres méthodes approuvées pa" -"r votre institution. 

                                                                              -\n" -"

                                                                              Parlez à votre service informatique " -"local pour connaître les méthodes de transfert de données " -"sécurisées qui vous sont proposées.

                                                                              " - -msgid "" -"

                                                                              Ensuring that your data files exist in non-" -"proprietary formats helps to ensure that they are able to be easily accessed a" -"nd reused by others in the future.

                                                                              -\n" -"

                                                                              Examples of non-proprietary file formats in" -"clude:

                                                                              -\n" -"

                                                                              Surveys: CSV" -"; HTML; Unicode Transformation Formats 

                                                                              -\n" -"

                                                                              Qualitative interviews:

                                                                              -\n" -" -\n" -"

                                                                              For more information and resources pertaini" -"ng to file formats you may wish to visit:

                                                                              -\n" -"" -msgstr "" -"

                                                                              En vous assurant que vos fichiers de donn&e" -"acute;es existent dans des formats non propriétaires, vous vous assurez" -" qu’ils pourront être facilement accessibles et réutilis&ea" -"cute;s par d’autres à l’avenir.

                                                                              -\n" -"

                                                                              Voici quelques exemples de formats de fichi" -"ers non propriétaires :

                                                                              -\n" -"

                                                                              Sondages : CSV ; HTML ; Formats de transformation Unicode " -"
                                                                              E" -"ntrevues qualitatives :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Fichiers audio&r" -"arr; MP3 ; FLAC ; Ogg
                                                                              • -\n" -"
                                                                              • Fichiers vid&eac" -"ute;o→ MP4&thi" -"nsp;; .mkv
                                                                              • -\n" -"
                                                                              • Transcriptions&r" -"arr; Texte brut, tel qu" -"e ASCII ; CSV ; HTML
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Pour plus d’informations et de ressou" -"rces concernant les formats de fichiers, vous pouvez consulter :

                                                                              -\n" -"" - -msgid "" -"

                                                                              Include a description of the survey codeboo" -"k(s) (data dictionary), as well as how it will be developed and generated. You" -" should also include a description of the interview data that will be collecte" -"d, including any important contextual information and metadata associated with" -" file formats.

                                                                              -\n" -"

                                                                              Your documentation may include study-level " -"information about:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • who created/coll" -"ected the data
                                                                              • -\n" -"
                                                                              • when it was crea" -"ted
                                                                              • -\n" -"
                                                                              • any relevant stu" -"dy documents
                                                                              • -\n" -"
                                                                              • conditions of us" -"e
                                                                              • -\n" -"
                                                                              • contextual detai" -"ls about data collection methods and procedural documentation about how data f" -"iles are stored, structured, and modified.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              A complete description of the data files ma" -"y include:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • naming and label" -"ling conventions
                                                                              • -\n" -"
                                                                              • explanations of " -"codes and variables
                                                                              • -\n" -"
                                                                              • any information " -"or files required to reproduce derived data.
                                                                              • -\n" -"
                                                                              -\n" -"More information about both general and discip" -"line specific data documentation is available at https://" -"www.dcc.ac.uk/guidance/standards/metadata" -msgstr "" -"

                                                                              Décrivez les guides de codification " -"de l’enquête (dictionnaire de données) et la manière" -" dont ils seront élaborés et générés. D&eac" -"ute;crivez également les données d’entrevue qui seront col" -"lectées, y compris toutes les informations contextuelles importantes et" -" les métadonnées associées aux formats de fichiers.

                                                                              -\n" -"

                                                                              Votre documentation peut comprendre des inf" -"ormations de l’étude sur :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • la personne qui " -"a créé ou collecté les données ; -\n" -"
                                                                              • le moment de sa " -"création ;
                                                                              • -\n" -"
                                                                              • des documents d&" -"rsquo;étude pertinents ;
                                                                              • -\n" -"
                                                                              • les conditions d" -"’utilisation ;
                                                                              • -\n" -"
                                                                              • des détai" -"ls contextuels sur les méthodes de collecte des données et des d" -"ocuments de procédure sur la manière dont les fichiers de donn&e" -"acute;es sont stockés, structurés et modifiés. -\n" -"
                                                                              -\n" -"

                                                                              Une description des fichiers de donné" -";es peut inclure :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • les conventions " -"de nomenclature et d’étiquetage ;
                                                                              • -\n" -"
                                                                              • les explications" -" des codes et des variables ;
                                                                              • -\n" -"
                                                                              • toutes les infor" -"mations ou tous les fichiers nécessaires pour reproduire des donn&eacut" -"e;es dérivées.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Pour plus d’informations sur la docum" -"entation des données générales et propres à la dis" -"cipline, consultez le lien suivant : https://www.dcc" -".ac.uk/guidance/standards/metadata (lien en anglais). " -";

                                                                              " - -msgid "" -"For guidance on file naming conventions please" -" see the University of Edinburgh." -msgstr "" -"Pour des conseils sur les conventions de nomen" -"clature des fichiers, veuillez consulter la bibliothèque de l" -"'UOttawa." - -msgid "" -"

                                                                              High quality documentation and metadata hel" -"p to ensure accuracy, consistency, and completeness of your data. It is consid" -"ered best practice to develop and implement protocols that clearly communicate" -" processes for capturing important information throughout your research projec" -"t. Example topics that these protocols " -"might cover include file naming conventions, file versioning, folder structure" -", and both descriptive and structural metadata. 

                                                                              -\n" -"Researchers and research staff should ideally " -"have the opportunity to contribute to the content of metadata protocols, and i" -"t is additionally useful to consult reg" -"ularly with members of the research team to capture any potential changes in d" -"ata collection/processing that need to be reflected in the documentation." -msgstr "" -"

                                                                              Une documentation et des métadonn&ea" -"cute;es de haute qualité contribuent à garantir l’exactitu" -"de, la cohérence et l’intégralité de vos donn&eacut" -"e;es. Il est préférable d’élaborer et de mettre en " -"œuvre des protocoles qui communiquent clairement les processus de saisie" -" des informations importantes tout au long de votre projet de recherche. Ces p" -"rotocoles peuvent notamment porter sur les conventions de nomenclature des fic" -"hiers, les versions des fichiers, la structure des dossiers et les méta" -"données descriptives et structurelles. 

                                                                              -\n" -"

                                                                              Les chercheurs et le personnel de recherche" -" devraient idéalement avoir la possibilité de contribuer au cont" -"enu des protocoles pour les métadonnées ; il est é" -"galement utile de consulter les membres de l’équipe de recherche " -"régulièrement afin de saisir tous les changements potentiels dan" -"s la collecte ou le traitement des données qui doivent être indiq" -"ués dans la documentation.

                                                                              " - -msgid "" -"

                                                                              Metadata are descriptions of the contents a" -"nd context of data files. Using a metadata standard (a set of required fields " -"to fill out) helps to ensure that your documentation is consistent, structured" -", and machine-readable, which is essential for depositing data in repositories" -" and making it easily discoverable by search engines.

                                                                              -\n" -"

                                                                              There are both general and d" -"iscipline-specific metadata standar" -"ds and tools for research data.

                                                                              -\n" -"

                                                                              One of the most widely used metadata standa" -"rds for surveys is DDI (Data Documentati" -"on Initiative), a free standard that can document and manage different stages " -"in the research data lifecycle including data collection, processing, distribu" -"tion, discovery and archiving.

                                                                              -\n" -"For assistance with choosing a metadata standa" -"rd, support may be available at your institution’s Library or contact dmp-support@carl-abrc.ca. " -msgstr "" -"

                                                                              Les métadonnées sont des desc" -"riptions du contenu et du contexte des fichiers de données. L’uti" -"lisation d’une norme de métadonnées (un ensemble de champs" -" obligatoires à remplir) permet de garantir que votre documentation est" -" cohérente, structurée et lisible par une machine, ce qui est es" -"sentiel pour le dépôt des données dans les dép&ocir" -"c;ts et pour permettre aux moteurs de recherche de les découvrir facile" -"ment.

                                                                              -\n" -"

                                                                              Il existe des normes et des outils de m&eac" -"ute;tadonnées générales et spécifiq" -"ues à chaque discipline (lien en anglais) pour les données de recherche.

                                                                              -\n" -"

                                                                              L’une des normes de métadonn&e" -"acute;es les plus utilisées pour les enquêtes est la DDI (l’initiative de documentation des donn&ea" -"cute;es; lien en anglais), une norme gratuite qui peut documenter et " -"gérer différentes étapes du cycle de vie des donné" -"es de recherche, y compris la collecte, le traitement, la distribution, la d&e" -"acute;couverte et l’archivage des données.

                                                                              -\n" -"

                                                                              Pour obtenir de l’aide dans le choix " -"d’une norme de métadonnées, vous pouvez vous adresser &agr" -"ave; la bibliothèque de votre établissement ou envoyer un messag" -"e à support@portagenetwork.ca.

                                                                              " - -msgid "" -"

                                                                              Data storage is a critical component of man" -"aging your research data, and secure methods should always be used, especially" -" when managing sensitive data. Storing data on USB sticks, laptops, computers," -" and/or external hard drives without a regular backup procedure in place is no" -"t considered to be best practice due to their being a risk both for data breac" -"hes (e.g., loss, theft) as well as corruption and hardware failure. Likewise, " -"having only one copy, or multiple copies of data stored in the same physical l" -"ocation does little to mitigate risk. 

                                                                              -\n" -"

                                                                              Many universities offer networked file stor" -"age which is automatically backed up. Contact your local (e.g., faculty or org" -"anization) and/or central IT services to find out what secure data storage ser" -"vices and resources they are able to offer to support your research project.

                                                                              -\n" -"Additionally, you may wish to consider investi" -"gating Compute Canad" -"a’s Rapid Access Service whic" -"h provides Principal Investigators at Canadian post-secondary institutions wit" -"h a modest amount of storage and cloud resources at no cost." -msgstr "" -"

                                                                              Le stockage des données est un &eacu" -"te;lément essentiel de la gestion de vos données de recherche&th" -"insp;; des méthodes sécurisées devraient toujours ê" -"tre utilisées, en particulier pour la gestion des données sensib" -"les. Le stockage de données sur des clés USB, des ordinateurs po" -"rtables, des ordinateurs ou des disques durs externes sans procédure de" -" sauvegarde régulière n’est pas considéré co" -"mme une bonne pratique car il présente un risque de fuites de donn&eacu" -"te;es (soit par perte, vol, etc.), de corruption des donnés et de d&eac" -"ute;faillance du matériel informatique. Par ailleurs, le fait d’a" -"voir une seule copie ou plusieurs copies de données stockées au " -"même endroit physique ne contribue guère à atténuer" -" le risque. 

                                                                              -\n" -"

                                                                              De nombreuses universités proposent " -"un stockage de fichiers en réseau qui est automatiquement sauvegard&eac" -"ute;. Communiquez avec votre service informatique local (par exemple, votre fa" -"culté ou votre organisation) ou service informatique central pour savoi" -"r quels services et ressources de stockage de données sécuris&ea" -"cute;es ils offrent pour votre projet de recherche.

                                                                              -\n" -"

                                                                              De plus, vous pourriez considérer le" -" Service d’accès rapide de Calcul Canada qui fournit gratuitement aux chercheurs principaux des &" -"eacute;tablissements d’enseignement supérieur canadiens un stocka" -"ge et des ressources infonuagiques modestes.

                                                                              " - -msgid "" -"

                                                                              It is important to determine at the early s" -"tages of your research project how members of the research team will appropria" -"tely access and work with data. If researchers will be working with data using" -" their local computers (work or personal) then it is important to ensure that " -"data are securely transferred (see previous question on data transferring), co" -"mputers may need to be encrypted, and that all processes meet any requirements" -" imposed by funders, institutions, and research ethics offices.

                                                                              -\n" -"

                                                                              When possible, it can be very advantageous " -"to use a cloud-based environment so that researchers can remotely access and w" -"ork with data, reducing the need for data transferring and associated risks, a" -"s well as unnecessary copies of data existing.

                                                                              -\n" -"One such cloud environment that is freely avai" -"lable to Canadian researchers is Compute Canada’s Rapid Access Service. " -msgstr "" -"

                                                                              Il est important de déterminer d&egr" -"ave;s les premières étapes de votre projet de recherche comment " -"les membres de l’équipe de recherche accéderont aux donn&e" -"acute;es et les utiliseront de manière appropriée. Si les cherch" -"eurs travailleront avec des données en utilisant leurs ordinateurs loca" -"ux (professionnels ou personnels), il est important de s’assurer que les" -" données sont transférées de manière sécuri" -"sée (voir la question précédente sur le transfert de donn" -"ées), que les ordinateurs soient cryptés et que tous les process" -"us répondent aux exigences imposées par les bailleurs de fonds, " -"les établissements et les comités d’éthique de la r" -"echerche.

                                                                              -\n" -"

                                                                              Lorsque cela est possible, il peut êt" -"re très avantageux d'utiliser un environnement infonuagique afin que le" -"s chercheurs puissent accéder et travailler à distance avec les " -"données, ce qui réduit la nécessité de transf&eacu" -"te;rer les données et les risques associés, ainsi que les copies" -" inutiles des données existantes.

                                                                              -\n" -"

                                                                              Un de ces environnements infonuagique libre" -"ment accessible aux chercheurs canadiens est le Service d’accè" -"s rapide de Calcul Canada." - -msgid "" -"

                                                                              Think about all of the data that will be ge" -"nerated, including their various versions, and estimate how much space (e.g., " -"megabytes, gigabytes, terabytes) will be required to store them. <" -"/p> -\n" -"

                                                                              The type of data you collect, along with th" -"e length of time that you require active storage, will impact the resources th" -"at you require. Textual and tabular data files are usually very small (a few m" -"egabytes) unless you have a lot of data. Video files are usually very large (h" -"undreds of megabytes up to several gigabytes). If you have a large amount of d" -"ata (gigabytes or terabytes), it will be more challenging to share and transfe" -"r it. You may need to consider networked storage options or more sophisticated" -" backup methods.

                                                                              -\n" -"You may wish to contact your local IT services" -" to discuss what data storage options are available to you, or consider the us" -"e of Compute Canada&" -"rsquo;s Rapid Access Service. " -" " -msgstr "" -"

                                                                              Pensez à toutes les données q" -"ui seront générées, y compris leurs différentes ve" -"rsions, et estimez l’espace (en mégaoctets, gigaoctets, té" -"raoctets, etc.) qui sera nécessaire pour les stocker. 

                                                                              -" -"\n" -"

                                                                              Le type de données que vous recueill" -"ez ainsi que la durée de stockage actif auront un impact sur les ressou" -"rces dont vous aurez besoin. Les fichiers de données textuelles et tabu" -"laires sont généralement très petits (quelques még" -"aoctets) à moins que vous ayez beaucoup de données. Les fichiers" -" vidéo sont généralement très volumineux (des cent" -"aines de mégaoctets à plusieurs gigaoctets). Si vous disposez d&" -"rsquo;une grande quantité de données (gigaoctets ou térao" -"ctets), il sera plus difficile de les partager et de les transférer. Vo" -"us devrez peut-être envisager des options de stockage en réseau o" -"u des méthodes de sauvegarde plus sophistiquées.

                                                                              -\n" -"

                                                                              Vous pouvez communiquer avec vos services i" -"nformatiques locaux pour discuter des options de stockage des données &" -"agrave; votre disposition ou envisager le recours au Service d’acc&eg" -"rave;s rapide de Calcul Canada.&nbs" -"p;

                                                                              " - -msgid "" -"

                                                                              Proprietary data formats are not optimal fo" -"r long-term preservation of data as they typically require specialized license" -"d software to open them. Such software may have costs associated with its use," -" or may not even be available to others wanting to re-use your data in the fut" -"ure.

                                                                              -\n" -"

                                                                              Non-proprietary file formats, such as comma" -"-separated values (.csv), text (" -".txt) and free lossless audio codec (.flac), are considered preservation-friendly. The UK Data Archive provides a useful table of file formats for various types of data. Keep i" -"n mind that preservation-friendly files converted from one format to another m" -"ay lose information (e.g. converting from an uncompressed TIFF file to a compr" -"essed JPG file), so changes to file formats should be documented.

                                                                              -\n" -"

                                                                              Identify the steps required to ensure the d" -"ata you are choosing to preserve is error-free, and converted to recommended f" -"ormats with a minimal risk of data loss following project completion. Some str" -"ategies to remove identifiers in images, audio, and video (e.g. blurring faces" -", changing voices) also remove information of value to other researchers.

                                                                              -\n" -"

                                                                              See this Portage DMP Exemplar in English or French<" -"/span> for more help describing preservati" -"on-readiness.

                                                                              " -msgstr "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                              Les formats de données proprié" -";taires ne sont pas optimaux pour la conservation à long terme des donn" -"ées car ils nécessitent généralement un logiciel s" -"pécialisé sous licence pour les ouvrir. De tels logiciels peuven" -"t avoir des coûts associés à leur utilisation et peuvent n" -"e pas être disponibles pour d’autres personnes souhaitant ré" -";utiliser vos données à l’avenir.

                                                                              -\n" -"

                                                                              Les formats de fichiers non propriét" -"aires, tels que les fichiers CSV (valeurs séparées par virgules;" -" .csv), le " -"texte (.txt) et les " -"formats audio sans perte, par exemple FLAC (.flac) sont considéré" -";s comme favorables à la conservation. Les archives de données du Royaume-Uni (lien en " -"anglais) fournissent un tableau ut" -"ile des formats de fichiers pour différents types de données (vo" -"ir aussi la bibliothèque de l'UOttawa). Gardez à l’esprit que les fichiers favorabl" -"es à la conservation et convertis d’un format à un autre p" -"euvent perdre des informations (par exemple, la conversion d’un fichier " -"TIFF non compressé en un fichier JPG compressé) ; ainsi, " -"les changements de formats de fichiers doivent être documentés.

                                                                              -\n" -"

                                                                              Précisez les étapes né" -"cessaires pour vous assurer que les données que vous choisissez de cons" -"erver sont exemptes d’erreurs et sont converties dans les formats recomm" -"andés avec un risque minimal de perte de données après l&" -"rsquo;achèvement du projet. Certaines stratégies visant à" -" supprimer les éléments identificatoires dans les images, le son" -" et la vidéo (par exemple, brouiller les visages, changer de voix) supp" -"riment également des informations utiles pour d’autres chercheurs" -".

                                                                              -\n" -"

                                                                              Consultez ce modèle de PGD de Portag" -"e en anglais ou en français pour plus d&rsq" -"uo;informations sur la préparation à la conservation.

                                                                              " - -msgid "" -"

                                                                              A research data repository is a technology-" -"based platform that allows for research data to be:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Deposited & " -"described
                                                                              • -\n" -"
                                                                              • Stored & arc" -"hived
                                                                              • -\n" -"
                                                                              • Shared & pub" -"lished
                                                                              • -\n" -"
                                                                              • Discovered &" -" reused
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              There are different types of repositories i" -"ncluding:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Proprietary (pai" -"d for services)
                                                                              • -\n" -"
                                                                              • Open source (fre" -"e to use)
                                                                              • -\n" -"
                                                                              • Discipline speci" -"fic
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              A key feature of a trusted research data re" -"pository is the assignment of a digital object identifier (DOI) to your data -" -" a unique persistent identifier assigned by a registration agency to " -"identify digital content and provide a persistent link to its location, enabli" -"ng for long-term discovery.

                                                                              -\n" -"

                                                                              Dataverse is one of the most popular resear" -"ch data repository platforms in Canada for supporting the deposition of survey" -" data and qualitative text files. Key features of Dataverse include the assign" -"ment of a DOI, the ability to make your data both open or restricted access, b" -"uilt in data citations, file versioning, and the ability to create customized " -"terms of use pertaining to your data. Contact your local university Library to" -" find out if there is a Dataverse instance available for you to use. -\n" -"Re3data.org" -" is an online registry of data repo" -"sitories, which can be searched according to subject, content type and country" -". Find a list of Canadian research data repositor" -"ies." -msgstr "" -"

                                                                              Un dépôt de données de " -"recherche est une plateforme technologique qui permet aux données de re" -"cherche d’être :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • D" -"éposées et décrites
                                                                              • -\n" -"
                                                                              • S" -"tockées et archivées
                                                                              • -\n" -"
                                                                              • P" -"artagées et publiées
                                                                              • -\n" -"
                                                                              • D" -"écouvertes et réutilisées
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Il y a différents types de dé" -"pôt, notamment les :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • D" -"épôts propriétaires (avec frais de services)
                                                                              • -\n" -"
                                                                              • D" -"épôts en libre accès (utilisation gratuits)
                                                                              • -\n" -"
                                                                              • D" -"épôts par discipline
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              L’une des principales caractér" -"istiques d’un dépôt de données de recherche fiable e" -"st l’attribution d’un identifiant d’objet numérique (" -"DOI) à vos données, soit un identifiant persistant unique attribué par un organisme d’enregistrement pour identifier le " -"contenu numérique et fournir un lien permanent avec son emplacement, pe" -"rmettant la découverte à long terme.

                                                                              -\n" -"

                                                                              Dataverse est l’une des plateformes d" -"e dépôt de données de recherche les plus populaires au Can" -"ada pour le dépôt de données d’enquête et de f" -"ichiers texte qualitatifs. Les principales caractéristiques de Datavers" -"e comprennent l’attribution d’un DOI, la possibilité de ren" -"dre vos données accessibles ou non, des citations de données int" -"égrées, la gestion des versions de fichiers et la possibilit&eac" -"ute; de créer des conditions d’utilisation personnalisées " -"pour vos données. Contactez la bibliothèque de votre universit&e" -"acute; pour savoir s’il existe une instance de Dataverse que vous pouvez" -" utiliser. 

                                                                              -\n" -"

                                                                              Re3data." -"org (lien en anglais) est " -"un registre en ligne des dépôts de données qui peut ê" -";tre consulté par sujet, par type de contenu et par pays. Voici une lis" -"te de dépôts canadiens de donn&e" -"acute;es (lien en anglais)" -".

                                                                              " - -msgid "" -"

                                                                              Consider which data you are planning to sha" -"re or that you may need to share in order to meet funding or institutional req" -"uirements. As well, think about which data may possibly be restricted for reas" -"ons relating to confidentiality and/or privacy. If you are planning to share e" -"ither/both survey and qualitative interviews data that require de-identificati" -"on, explain how any necessary direct and indirect identifiers will be removed." -" 

                                                                              -\n" -"

                                                                              Examples of file versions are:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Raw: Original data that has been collected and not yet processed" -" or analysed. For surveys this will be the original survey data, and for quali" -"tative interviews this will most often be the original audio data as well as r" -"aw transcriptions which are verbatim copies of the audio files.
                                                                              • -\n" -"
                                                                              • Processed: Data that have" -" undergone some type of processing, typically for data integrity and quality a" -"ssurance purposes. For survey data, this may involve such things as deletion o" -"f cases and derivation of variables. For qualitative interview data, this may " -"involve such things as formatting, and de-identification and anonymization act" -"ivities.
                                                                              • -\n" -"
                                                                              • Analyzed: Data that are a" -"lready processed and have been used for analytic purposes. Both for surveys an" -"d qualitative interviews, analyzed data can exist in different forms including" -" in analytic software formats (e.g. SPSS, R, Nvivo), as well as in text, table" -"s, graphs, etc.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Remember, research involving human particip" -"ants typically requires participant consent to allow for the sharing of data. " -"Along with your data, you should ideally include samples of the study informat" -"ion letter and participant consent form, as well as information relating to yo" -"ur approved institutional ethics application.

                                                                              " -msgstr "" -"

                                                                              Réfléchissez aux donné" -"es que vous envisagez de partager ou que vous pourriez avoir besoin de partage" -"r pour répondre aux exigences de financement ou d’établiss" -"ement. Réfléchissez aussi aux données qui pourraient &eac" -"ute;ventuellement être restreintes pour des raisons de confidentialit&ea" -"cute; ou de respect de la vie privée. Si vous envisagez de partager des" -" données d’enquêtes ou d’entrevues qualitatives qui n" -"écessitent une dépersonnalisation, expliquez comment les identif" -"icateurs directs et indirects nécessaires seront supprimés.

                                                                              -\n" -"

                                                                              Voici des exemples de versions de fichiers&" -"nbsp;:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Brutes : Les données originales qui ont ét&" -"eacute; collectées et qui n’ont pas encore été trai" -"tées ou analysées. Pour les enquêtes, il s’agira des" -" données d’enquête originales, et pour les entrevues qualit" -"atives, il s’agira le plus souvent des données audio originales a" -"insi que des transcriptions brutes qui sont des copies mot à mot des fi" -"chiers audio.
                                                                              • -\n" -"
                                                                              • Traitées : Les données qui ont subi un certain type de traitement, gén&eacu" -"te;ralement à des fins d’intégrité des donné" -"es et d’assurance qualité. Pour les données d’enqu&e" -"circ;te, il peut s’agir d’éléments tels que la suppr" -"ession de cas et la dérivation de variables. Pour les données d&" -"rsquo;entrevues qualitatives, il peut s’agir d’éléme" -"nts tels que le formatage et les activités de dépersonnalisation" -" et d’anonymisation.
                                                                              • -" -"\n" -"
                                                                              • Analysées : Les données déjà traité" -"es et utilisées à des fins d’analyse. Tant pour les enqu&e" -"circ;tes que pour les entrevues qualitatives, les données analysé" -";es peuvent exister sous différentes formes, notamment dans des formats" -" de logiciels analytiques (par exemple SPSS, R, Nvivo) ainsi que dans des text" -"es, des tableaux, des graphiques, etc.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              N’oubliez pas que la recherche impliq" -"uant des participants humains nécessite généralement le c" -"onsentement des participants pour permettre le partage des données. En " -"plus de vos données, vous devriez idéalement inclure des é" -";chantillons de la lettre d’information sur l’étude et du f" -"ormulaire de consentement du participant, ainsi que des informations relatives" -" à votre demande éthique approuvée par l’éta" -"blissement.

                                                                              " - -msgid "" -"

                                                                              It may be necessary or desirable to restric" -"t access to your data for a limited time or to a limited number of people, for" -":

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • ethical reasons " -"(privacy and confidentiality) 
                                                                              • -\n" -"
                                                                              • economic reasons" -" (patents and commercialization)
                                                                              • -\n" -"
                                                                              • intellectual pro" -"perty reasons (e.g. ownership of the original dataset on which yours is based)" -" 
                                                                              • -\n" -"
                                                                              • or to comply wit" -"h a journal publishing policy. 
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Strategies to mitigate these issues may inc" -"lude: 

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • anonymising or a" -"ggregating data (see additional information at the UK Data Service or the Portage Network)" -"
                                                                              • -\n" -"
                                                                              • gaining particip" -"ant consent for data sharing
                                                                              • -\n" -"
                                                                              • gaining permissi" -"ons to share adapted or modified data
                                                                              • -\n" -"
                                                                              • and agreeing to " -"a limited embargo period.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              If applicable, consider creating a Terms of" -" Use document to accompany your data.

                                                                              " -msgstr "" -"

                                                                              Il peut être souhaitable ou né" -"cessaire de restreindre l’accès à vos données pour " -"une durée limitée ou à un nombre limité de personn" -"es, pour :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Des raisons &eac" -"ute;thiques (confidentialité) 
                                                                              • -\n" -"
                                                                              • Des raisons &eac" -"ute;conomiques (brevets et commercialisation)
                                                                              • -\n" -"
                                                                              • Des questions de" -" propriété intellectuelle (p. ex. La propriété du " -"jeu de données original sur lequel votre travail est fondé)
                                                                              • -\n" -"
                                                                              • Ou des raisons d" -"e conformité à la politique de publication d’une revue.&nb" -"sp;
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Voici quelques stratégies pour r&eac" -"ute;duire ces enjeux : 

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • A" -"nonymiser ou l’agréger les données (obtenez plus d’i" -"nformations au Service des don" -"nées du Royaume-Uni [" -"lien en anglais] ou le r&ea" -"cute;seau Portage) ;<" -"/li> -\n" -"
                                                                              • O" -"btenir le consentement des participants pour le partage des données&thi" -"nsp;;
                                                                              • -\n" -"
                                                                              • o" -"btenir l’autorisation de partager des données adaptées ou " -"modifiées ;
                                                                              • -\n" -"
                                                                              • a" -"ccepter une période d’embargo limitée.
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Envisagez de créer un document de co" -"nditions d’utilisation pour accompagner vos données, le cas &eacu" -"te;chéant. 

                                                                              " - -msgid "" -"

                                                                              Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. Once created, it is considered as best practice to inc" -"lude a copy of your end-user license with your Data Management Plan. Note that" -" only the intellectual property rights holder(s) can issue a license, so it is" -" crucial to clarify who owns those rights. 

                                                                              -\n" -"

                                                                              There are several types of standard license" -"s available to researchers, such as the Creative Commons licenses" -" and the Open Data Commons license" -"s. In fact, for most datasets it is" -" easier to use a standard license rather than to devise a custom-made one. Not" -"e that even if you choose to make your data part of the public domain, it is p" -"referable to make this explicit by using a license such as Creative Commons' C" -"C0. 

                                                                              -\n" -"Read more about data licensing: UK Digital Curation Centre." -msgstr "" -"

                                                                              Les licences déterminent les utilisa" -"tions qui peuvent être faites de vos données. Les organismes de f" -"inancement et les dépôts de données peuvent avoir des exig" -"ences en matière de licence d’utilisation finale ; autreme" -"nt, ils peuvent vous guider dans l’élaboration d’une licenc" -"e. Une fois créée, il est préférable d’inclu" -"re une copie de votre licence d’utilisateur final avec votre plan de ges" -"tion des données. Notez que les détenteurs de droits de propri&e" -"acute;té intellectuelle sont les seuls à pouvoir délivrer" -" une licence. Il faut donc préciser à qui appartiennent ces droi" -"ts. 

                                                                              -\n" -"

                                                                              Il y a plusieurs types de licences standard" -" à la disposition des chercheurs, comme les licences Cre" -"ative Commons et les licences Open Data Commons (lien en anglais). En fait, pour la plupart des ensembles de données, il es" -"t plus facile d’utiliser une licence standard plutôt que de concev" -"oir une licence sur mesure. Notez que même si vous choisissez de faire e" -"ntrer vos données dans le domaine public, il est préférab" -"le de le faire de façon explicite en utilisant une licence telle que la" -" licence CC0.

                                                                              -\n" -"

                                                                              Voici plus d’informations sur les lic" -"ences de données : Centre de cu" -"ration numérique du Royaume-Uni (lien en anglais).

                                                                              " - -msgid "" -"

                                                                              Research data management is a shared respon" -"sibility that can involve many research team members including the Principal I" -"nvestigator, co-investigators, collaborators, trainees, and research staff. So" -"me projects warrant having a dedicated research data manager position. Think a" -"bout your project and its needs, including the time and expertise that may be " -"required to manage the data and if any training will be required to prepare me" -"mbers of the research team for these duties.

                                                                              -\n" -"

                                                                              Larger and more complex research projects m" -"ay additionally wish to have a research data management committee in place whi" -"ch can be responsible for data governance, including the development of polici" -"es and procedures relating to research data management. This is a useful way t" -"o tap into the collective expertise of the research team, and to establish rob" -"ust policies and protocols that will serve to guide data management throughout" -" your project.

                                                                              " -msgstr "" -"

                                                                              La gestion des données de recherche " -"est une responsabilité partagée qui peut faire appel à de" -" nombreux membres de l’équipe de recherche, notamment le chercheu" -"r principal, les co-chercheurs, les collaborateurs, les stagiaires et le perso" -"nnel de recherche. Certains projets justifient la création d’un p" -"oste de gestionnaire des données de recherche. Réfléchiss" -"ez à votre projet et à ses besoins, notamment le temps et l&rsqu" -"o;expertise qui peuvent être nécessaires pour gérer les do" -"nnées et si une formation sera nécessaire pour préparer l" -"es membres de l’équipe de recherche à ces tâches.

                                                                              -\n" -"

                                                                              Les projets de recherche plus importants et" -" plus complexes peuvent également nécessiter la mise en place d&" -"rsquo;un comité de gestion des données de recherche qui serait r" -"esponsable de la gouvernance des données, y compris l’élab" -"oration de politiques et de procédures relatives à la gestion de" -"s données de recherche. C’est une façon utile de tirer par" -"ti de l’expertise collective de l’équipe de recherche et d&" -"rsquo;établir des politiques et des protocoles solides qui serviront &a" -"grave; guider la gestion des données tout au long de votre projet.

                                                                              " - -msgid "" -"It is important to think ahead and be prepared" -" for potential PI and/or research team members changes should they occur. Developing data governance policies that cl" -"early indicate a succession strategy for the project’s data will help gr" -"eatly in ensuring that the data continue to be effectively and appropriately m" -"anaged. Such policies should clearly describe the process to be followed in th" -"e event that the Principal Investigator leaves the project. In some instances," -" a co-investigator or the department or division overseeing this research will" -" assume responsibility. " -msgstr "" -"Il vaut mieux de penser à l’aveni" -"r et de se préparer à d’éventuels changements de ch" -"ercheur principal ou de membres de l’équipe de recherche s’" -"ils devaient se produire. L’élaboration de politiques de gouverna" -"nce des données qui précise une stratégie de succession p" -"our les données du projet aidera grandement à garantir que les d" -"onnées continuent d’être gérées de mani&egrav" -"e;re efficace et appropriée. Ces politiques doivent décrire clai" -"rement le processus à suivre dans le cas où le chercheur princip" -"al quitte le projet. Dans certains cas, un co-chercheur ou département," -" ou bien la division qui supervise cette recherche assumera la responsabilit&e" -"acute; de la relève. " - -msgid "" -"

                                                                              Estimate as early as possible the resources" -" and costs associated with the management of your project’s data. This e" -"stimate should incorporate costs incurred both during the active phases of the" -" project as well as those potentially required for support of the data once th" -"e project is finished, including preparing the data for deposit and long-term " -"preservation. 

                                                                              -\n" -"

                                                                              Many funding agencies will provide support " -"for research data management, so these estimates may be included within your p" -"roposed project budget. Items that may be pertinent to mixed methods research " -"include such things as a dedicated research data management position (even if " -"it is part-time), support for the use of a digital survey data collection plat" -"form, computers/laptops, digital voice recorders, specialized software, transc" -"ription of qualitative interviews, data storage, data deposition, and data pre" -"servation.

                                                                              " -msgstr "" -"

                                                                              Estimez le plus tôt possible les ress" -"ources et les coûts liés à la gestion des données d" -"e votre projet. Cette estimation doit intégrer les coûts encourus" -" pendant les phases actives du projet ainsi que les coûts potentiels li&" -"eacute;s au soutien des données une fois le projet terminé, y co" -"mpris la préparation des données pour le dépôt et l" -"a conservation à long terme. 

                                                                              -\n" -"

                                                                              De nombreux organismes de financement appor" -"teront leur soutien à la gestion des données de recherche, ces e" -"stimations peuvent donc être incluses dans le budget de votre projet pro" -"posé. Les éléments pertinents pour la recherche à " -"méthodologies mixtes sont notamment un poste dédié &agrav" -"e; la gestion des données de recherche (même si c’est &agra" -"ve; temps partiel), le soutien à l’utilisation d’une platef" -"orme numérique de collecte de données d’enquête, des" -" ordinateurs portables, des dictaphones numériques, des logiciels sp&ea" -"cute;cialisés, la transcription d’entrevues qualitatives, ainsi q" -"ue le stockage, le dépôt et la conservation des données.

                                                                              " - -msgid "" -"

                                                                              Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers, as well as what version(s) of the data may be shared and re-use" -"d. For example, it may stipulate that the data will only be shared for non-pro" -"fit research purposes, that the data will not be linked with personally identi" -"fied data from other sources, and that only de-identified and/or aggregated da" -"ta may be reused. In the case of qualitative interviews, this may include only" -" the de-identified transcriptions of interviews and/or analytic files containi" -"ng de-identified contextual information.

                                                                              -\n" -"

                                                                              Sensitive data in particular should always " -"receive special attention and be clearly identified and documented within your" -" DMP as to how they will be managed throughout your project including data col" -"lection, transferring, storage, access, and both potential sharing, and reuse<" -"/span>.

                                                                              -\n" -"

                                                                              Your data management plan and deposited dat" -"a should both include an identifier or link to your approved research ethics a" -"pplication form as well as an example of any participant consent forms." -"

                                                                              " -msgstr "" -"

                                                                              L’obtention du consentement appropri&" -"eacute; des participants à la recherche est une étape importante" -" pour garantir aux comités d’éthique de la recherche que l" -"es données peuvent être partagées avec des chercheurs en d" -"ehors de votre projet. La déclaration de consentement peut identifier c" -"ertaines conditions clarifiant les utilisations des données par d&rsquo" -";autres chercheurs, ainsi que les versions des données qui peuvent &eci" -"rc;tre partagées et réutilisées. Par exemple, elle peut s" -"tipuler que les données ne seront partagées qu’à de" -"s fins de recherche sans but lucratif, qu’elles ne seront pas lié" -"es à des données personnelles identificatoires provenant d&rsquo" -";autres sources et que seules les données dépersonnalisée" -"s ou agrégées peuvent être réutilisées. Dans" -" le cas d’entrevues qualitatives, cela peut inclure uniquement les trans" -"criptions dépersonnalisées des entrevues ou les fichiers analyti" -"ques contenant des informations contextuelles dépersonnalisées.<" -"/span>

                                                                              -\n" -"

                                                                              Les données sensibles doivent toujou" -"rs être traitées avec une attention particulière et ê" -";tre clairement identifiées et documentées dans votre plan de ge" -"stion des données ; surtout en ce qui concerne la manière" -" dont elles seront gérées tout au long de votre projet, y compri" -"s la collecte, le transfert, le stockage, l’accès, le partage et " -"la réutilisation potentiels des données.

                                                                              -\n" -"

                                                                              Votre plan de gestion des données et" -" les données déposées doivent tous deux inclure un identi" -"fiant ou un lien vers votre formulaire de demande d’éthique de la" -" recherche approuvé ainsi qu’un exemple des formulaires de consen" -"tement des participants.

                                                                              " - -msgid "" -"

                                                                              Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer, research services office, and/or research et" -"hics office. 

                                                                              -\n" -"

                                                                              Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

                                                                              " -msgstr "" -"

                                                                              Le respect de la législation relativ" -"e à la protection de la vie privée et des lois susceptibles d&rs" -"quo;imposer des restrictions sur le contenu des données doit faire l&rs" -"quo;objet d’une discussion avec le responsable de la protection de la vi" -"e privée, le bureau des services de recherche ou le comité d&rsq" -"uo;éthique de la recherche de votre établissement. <" -"/p> -\n" -"

                                                                              Précisez la propriété," -" la licence et les droits de propriété intellectuelle par rappor" -"t aux données. Les conditions de réutilisation doivent êtr" -"e clairement énoncées, conformément aux exigences juridiq" -"ues et éthiques applicables le cas échéant (par exemple, " -"consentement du sujet, autorisations, restrictions, etc.).

                                                                              " - -msgid "" -"Examples of data types may include text, numer" -"ic (ASCII, binary), images, audio, video, tabular data, spatial data, experime" -"ntal, observational, and simulation/modelling data, instrumentation data, code" -"s, software and algorithms, and any other materials that may be produced in th" -"e course of the project." -msgstr "" -"Les types de données sont notamment du texte, des données num&ea" -"cute;riques (ASCII, binaires), des images, du son, des vidéos, des donn" -"ées tabulaires, des données spatiales, des données exp&ea" -"cute;rimentales, d’observation, de simulation et de modélisation," -" des données d’instrumentation, des codes, des logiciels et des a" -"lgorithmes, ainsi que d’autres matériels pouvant être produ" -"its au cours du projet." - -msgid "" -"Proprietary file formats that require speciali" -"zed software or hardware are not recommended, but may be necessary for certain" -" data collection or analysis methods. Using open file formats or industry-stan" -"dard formats (e.g. those widely used by a given community) is preferred whenev" -"er possible. Read more about recommended file formats at UBC Library or UK Data Service." -msgstr "" -"Les formats de fichiers propriétaires q" -"ui nécessitent un logiciel ou du matériel spécialis&eacut" -"e; ne sont pas recommandés, mais peuvent être nécessaires " -"pour certaines méthodes de collecte ou d’analyse des donné" -"es. L’utilisation de formats de fichiers en libre accès ou de for" -"mats standard (par exemple, ceux largement utilisés par une communaut&e" -"acute; spécifique) est préférable dans la mesure du possible. Po" -"ur en savoir plus sur les formats de fichiers recommandés, consultez le" -" site de la Bibliothèque de l’Unive" -"rsité de la C.-B. ou du Service des données du Royaume-Uni (<" -"em>liens en anglais
                                                                              )." - -msgid "" -"

                                                                              It is important to keep track of different " -"copies and versions of files, files held in different formats or locations, an" -"d any information cross-referenced between files. 

                                                                              -\n" -"Logical file structures, informative naming co" -"nventions, and clear indications of file versions all contribute to better use" -" of your data during and after your research project. These practices will hel" -"p ensure that you and your research team are using the appropriate version of " -"your data, and will minimize confusion regarding copies on different computers" -", on different media, in different formats, and/or in different locations. Rea" -"d more about file naming and version control at UBC Library or UK Data Service" -"." -msgstr "" -"

                                                                              Il est important de garder une trace des di" -"fférentes copies et versions de fichiers, des fichiers détenus d" -"ans différents formats ou emplacements, et de toute information crois&e" -"acute;e entre les fichiers. 

                                                                              Des structures de fichiers logiques, des conventions d’appellation" -" informatives et des indications claires sur les versions des fichiers contrib" -"uent à une meilleure utilisation de vos données pendant et apr&e" -"grave;s votre projet de recherche. Ces pratiques permettront de s’assure" -"r que vous et votre équipe de recherche utilisez la version appropri&ea" -"cute;e de vos données et de minimiser la confusion concernant les copie" -"s sur différents ordinateurs ou sur différents supports informat" -"iques. Voici des liens pour plus de renseignements sur la nomenclature et la g" -"estion de versions des fichiers : Bibliothèque de l’Université d'Ottawa et Service d" -"es données du Royaume-Uni (lien en anglais).

                                                                              " - -msgid "" -"

                                                                              Some types of documentation typically provi" -"ded for research data and software include: 

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • README file, codebook, or data dictionary<" -"/span>
                                                                              • -\n" -"
                                                                              • Electronic lab notebooks such as Jupyter Notebook<" -"/span>
                                                                              • -\n" -"
                                                                              " -msgstr "" -"

                                                                              Voici quelques types de documents gé" -"néralement fournis pour les données et les logiciels de recherch" -"e : 

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Fichier README, " -"guide de codification ou dictionnaire de données
                                                                              • -\n" -"
                                                                              • Carnets de laboratoire électroniques tels" -" que Jupyter Notebook (<" -"/span>lien en anglais)
                                                                              • -\n" -"
                                                                              " - -msgid "" -"Typically, good documentation includes high-le" -"vel information about the study as well as data-level descriptions of the cont" -"ent. It may also include other contextual information required to make the dat" -"a usable by other researchers, such as: your research methodology, definitions" -" of variables, vocabularies, classification systems, units of measurement, ass" -"umptions made, formats and file types of the data, a description of the data c" -"apture and collection methods, provenance of various data sources (original so" -"urce of data, and how the data have been transformed), explanation of data ana" -"lysis performed (including syntax files), the associated script(s), and annota" -"tion of relevant software. " -msgstr "" -"En règle générale, une bo" -"nne documentation comprend des informations générales sur l&rsqu" -"o;étude ainsi que des descriptions du contenu en ce qui concerne les do" -"nnées. Elle peut aussi inclure des informations contextuelles pour rend" -"re les données utilisables par d’autres chercheurs, notamment vot" -"re méthodologie de recherche, les définitions des variables, les" -" vocabulaires, les systèmes de classification, les unités de mes" -"ure, les hypothèses formulées, les formats et les types de fichi" -"ers des données, une description des méthodes de saisie et de co" -"llecte des données, la provenance des diverses sources de donnée" -"s (la source originale des données et la manière dont les donn&e" -"acute;es ont été transformées), une explication de l&rsqu" -"o;analyse des données effectuée (y compris les fichiers de synta" -"xe), les scripts associés et l’annotation des logiciels pertinent" -"s. " - -msgid "" -"

                                                                              There are many general and domain-specific " -"metadata standards that can be used to manage research data. These machine-rea" -"dable, openly-accessible standards are often based on language-independent dat" -"a formats such as XML, RDF, and JSON, which enables the effective exchange of " -"information between users and systems. Existing, accepted community standards " -"should be used wherever possible, including when recording intermediate result" -"s. 

                                                                              -\n" -"

                                                                              Where community standards are absent or ina" -"dequate, this should be documented along with any proposed solutions or remedi" -"es. You may wish to use this DMP Template to propose alternate strategies that" -" will facilitate metadata interoperability in your field.

                                                                              " -msgstr "" -"

                                                                              Il existe de nombreuses normes de mé" -"tadonnées générales et spécifiques à un dom" -"aine qui peuvent être utilisées pour gérer les donné" -";es de recherche. Ces normes de lecture par machine et d’accès un" -"iversel souvent basées sur des formats de données indépen" -"dants du langage tels que XML, RDF et JSON permettent un échange effica" -"ce d’informations entre les utilisateurs et les systèmes. Les nor" -"mes communautaires existantes et acceptées devraient être utilis&" -"eacute;es dans la mesure du possible, y compris pour l’enregistrement de" -"s résultats intermédiaires. 

                                                                              -\n" -"

                                                                              Vous devez documenter les cas pour lesquels" -" les normes communautaires sont absentes ou inadéquates ainsi que toute" -"s les solutions proposées pour y remédier. Vous pouvez utiliser " -"ce modèle de PGD pour proposer des stratégies alternatives qui f" -"aciliteront l’interopérabilité des métadonné" -"es dans votre domaine.

                                                                              " - -msgid "" -"

                                                                              There are a wide variety of metadata standa" -"rds available to choose from, and you can learn more about these options at UK Digital Curation Centre's Disciplinary Metadata, FAIRsharing standards, RDA Metadata Standards Direc" -"tory, Seeing Standards: A Visu" -"alization of the Metadata Universe." -"

                                                                              " -msgstr "" -"

                                                                              Il y a une grande variété de " -"normes de métadonnées parmi lesquelles vous pouvez choisir. Voic" -"i des liens pour en savoir plus sur ces options : M&" -"eacute;tadonnées disciplinaires du Centre de curation numérique " -"du Royaume-Uni, Normes de par" -"tage FAIR, R&ea" -"cute;pertoire des normes en matière de métadonnées de la " -"RDA, Normes de visualisation&n" -"bsp;: une vue de l’univers des métadonnées (liens " -"en anglais).

                                                                              " - -msgid "" -"Consider how you will capture information duri" -"ng the project and where it will be recorded to ensure the accuracy, consisten" -"cy, and completeness of your documentation. Often, resources you've already cr" -"eated can contribute to this (e.g. publications, websites, progress reports, e" -"tc.). It is useful to consult regularly with members of the research team to c" -"apture potential changes in data collection or processing that need to be refl" -"ected in the documentation. Individual roles and workflows should include gath" -"ering, creating or maintaining data documentation as a key element." -msgstr "" -"Réfléchissez à la manière dont vous allez saisir l" -"’information au cours du projet et à l’endroit où el" -"le sera enregistrée afin de garantir l’exactitude, la cohé" -"rence et l’exhaustivité de votre documentation. Souvent, les ress" -"ources que vous avez déjà créées peuvent y contrib" -"uer (par exemple, des publications, des sites web, des rapports d’avance" -"ment, etc.). Consultez régulièrement les membres de l’&eac" -"ute;quipe de recherche afin de saisir les changements potentiels dans la colle" -"cte ou le traitement des données qui doivent être reflét&e" -"acute;s dans la documentation. Les rôles individuels et les flux de trav" -"ail doivent inclure la collecte, la création ou la tenue à jour " -"de la documentation des données comme élément clé." - -msgid "" -"ARC resources usually contain both computation" -"al resources and data storage resources. Please describe only those ARC resour" -"ces that are directly applicable to the proposed work. Include existing resour" -"ces and any external resources that may be made available." -msgstr "" -"Les ressources d’informatique de recherche avancée contiennent g&" -"eacute;néralement des ressources de calcul et des ressources de stockag" -"e de données. Décrivez uniquement les ressources qui sont direct" -"ement applicables au travail proposé. Indiquez les ressources existante" -"s et toutes les ressources externes qui peuvent être mises à disp" -"osition." - -msgid "" -"

                                                                              You may wish to provide the following infor" -"mation:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Startup allocati" -"on limit
                                                                              • -\n" -"
                                                                              • System architect" -"ure: System component and configuration
                                                                              • -\n" -"
                                                                                  -\n" -"
                                                                                • CPU nodes" -"
                                                                                • -\n" -"
                                                                                • GPU nodes" -"
                                                                                • -\n" -"
                                                                                • Large memory nod" -"es
                                                                                • -\n" -"
                                                                                -\n" -"
                                                                              • Performance: e.g" -"., FLOPs, benchmark
                                                                              • -\n" -"
                                                                              • Associated syste" -"ms software environment
                                                                              • -\n" -"
                                                                              • Supported applic" -"ation software 
                                                                              • -\n" -"
                                                                              • Data transfer
                                                                              • -\n" -"
                                                                              • Storage <" -"/li> -\n" -"
                                                                              " -msgstr "" -"

                                                                              Vous pouvez fournir les informations suivan" -"tes :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Limite de l&rsqu" -"o;allocation de démarrage
                                                                              • -\n" -"
                                                                              • Architecture du " -"système : composants et configuration du système
                                                                              • -\n" -"
                                                                                  -\n" -"
                                                                                • Nœuds CPU<" -"/span>
                                                                                • -\n" -"
                                                                                • Nœuds GPU<" -"/span>
                                                                                • -\n" -"
                                                                                • Grands nœu" -"ds de mémoire
                                                                                • -\n" -"
                                                                                -\n" -"
                                                                              • Performance : pa" -"r exemple, FLOPs, références
                                                                              • -\n" -"
                                                                              • Environnement lo" -"giciel des systèmes associés
                                                                              • -\n" -"
                                                                              • Logiciels d&rsqu" -"o;application supportés 
                                                                              • -\n" -"
                                                                              • Transfert de don" -"nées
                                                                              • -\n" -"
                                                                              • Stockage<" -"/li> -\n" -"
                                                                              " - -msgid "" -"It is important to document the technical details of all the computational and data s" -"torage resources, and associated system" -"s and software environments you plan to use to perform the simulations and ana" -"lysis proposed in this research project. " -msgstr "" -"Il est important de documenter les détails techniques de toutes les res" -"sources de calcul et de stockage de données, ainsi que des systè" -"mes et environnements logiciels associés que vous comptez utiliser pour" -" effectuer les simulations et analyses proposées dans ce projet de rech" -"erche." - -msgid "" -"

                                                                              Examples of data analysis frameworks includ" -"e:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Hadoop -\n" -"
                                                                              • Spark -\n" -"
                                                                              " -msgstr "" -"

                                                                              Voici des exemples de cadre d’analyse des données :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Hadoop -\n" -"
                                                                              • Spark -\n" -"
                                                                              " - -msgid "" -"

                                                                              Examples of software tools include:<" -"/p> -\n" -<<<<<<< HEAD -"

                                                                                -\n" -"
                                                                              • High-performance" -" compilers, debuggers, analyzers, editors 
                                                                              • -\n" -"
                                                                              • Locally develope" -"d custom libraries and application packages for software development -\n" -"
                                                                              " -msgstr "" -"

                                                                              Voici des exemples d’outils logiciels :

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Débogueur" -"s, analyseurs, éditeurs, compilateurs à haute performance
                                                                              • -\n" -"
                                                                              • Bibliothèques et progiciels cré&ea" -"cute;s localement pour le développement de logiciels
                                                                              • -\n" -"
                                                                              " - -msgid "" -"

                                                                              (Re)using code/software requires, at minimu" -"m, information about both the environment and expected input/output. Log all p" -"arameter values, including when setting random seeds to predetermined values, " -"and make note of the requirements of the computational environment (software d" -"ependencies, etc.) Track your software development with versioning control sys" -"tems, such as GitHub Bitbucket, " -"GitLab, etc. 

                                                                              -\n" -"

                                                                              If your research and/or software are built " -"upon others’ software code, it is good practice to acknowledge and cite " -"the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

                                                                              -\n" -"For more information on proper software docume" -"ntation and citation practices, see: Ten simple rules for documenting scientific software and Software Citation Principles.
                                                                              " -msgstr "" -"

                                                                              L’utilisation ou la réutilisat" -"ion d’un code ou d’un logiciel nécessite, au minimum, de l&" -"rsquo;information sur l’environnement et les entrées ou les sorti" -"es attendues. Enregistrez toutes les valeurs des paramètres, notamment " -"lorsque vous fixez des graines aléatoires à des valeurs pr&eacut" -"e;déterminées, et prenez note des exigences de l’environne" -"ment de calcul (dépendances des logiciels, etc.). Suivez le déve" -"loppement de votre logiciel à l’aide de systèmes de gestio" -"n des versions, tels que GitHub, Bitbucket<" -"/span>, GitLab, etc (liens en anglais" -"). 

                                                                              Si vos recherches ou vos logiciels sont basés " -"sur le code de logiciel d’autrui, il est bon de reconnaître et de " -"citer le logiciel que vous utilisez de la même manière que vous c" -"itez des articles, à la fois pour identifier le logiciel et pour attrib" -"uer le mérite à ses développeurs.

                                                                              Pour plus d’informations sur les pratiques ap" -"propriées de documentation et de citation des logiciels, consultez les " -"liens suivants : Dix r&" -"egrave;gles simples pour documenter les logiciels scientifiques et Principes de citation des logiciels (liens en anglais).

                                                                              " - -msgid "" -"

                                                                              Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time, particu" -"larly if you are collecting data over a long period (e.g. several months or ye" -"ars). Similarly, a long-term storage plan is necessary if you intend to retain" -" your data after the research project.

                                                                              " -msgstr "" -"

                                                                              Les estimations de l’espace de stockage doivent prendre en compte les" -" besoins en matière de versions de fichiers, de sauvegardes et de crois" -"sance au fil du temps, surtout si vous collectez des données sur une lo" -"ngue période (par exemple plusieurs mois ou années). De mê" -"me, un plan de stockage à long terme est nécessaire si vous avez" -" l’intention de conserver vos données après le projet de r" -"echerche.

                                                                              " - -msgid "" -"

                                                                              Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                                                              -\n" -"

                                                                              The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                                                              -\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Service." -msgstr "" -"

                                                                              Les données peuvent être stock" -"ées sur des supports optiques ou magnétiques ; ceux-ci pe" -"uvent être amovibles (par exemple, des DVD et des clés USB), fixe" -"s (par exemple, des disques durs de bureau ou d’ordinateur portable) ou " -"en réseau (par exemple, des lecteurs en réseau ou des serveurs i" -"nfonuagiques). Chaque méthode de stockage présente des avantages" -" et des inconvénients qui doivent être pris en compte pour d&eacu" -"te;terminer la solution la plus appropriée. 

                                                                              Le risque de perdre des données en raison " -"d’une erreur humaine, d’une catastrophe naturelle ou d’un au" -"tre incident peut être atténué en suivant la règle " -"de sauvegarde 3-2-1 : ayez au moins trois copies de vos donné" -"es, stockez les copies sur deux supports différents et conservez une co" -"pie de sauvegarde hors site.

                                                                              Voici plus de renseignements sur les pratiques de stockage et de sauvegarde d" -"e la Bibliothèque de l’Université de Sh" -"effield et du Service des données du Royaume-Uni (liens en anglais).

                                                                              " - -msgid "" -"

                                                                              Technical detail example:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • Quota 
                                                                              • -\n" -"
                                                                              -\n" -"

                                                                              Examples of systems:

                                                                              -\n" -"
                                                                                -\n" -"
                                                                              • High-performance archival/storage storage&" -"nbsp;
                                                                              • -\n" -"
                                                                              • Database
                                                                              • -\n" -"
                                                                              • Web server
                                                                              • -\n" -"
                                                                              • Data transfer
                                                                              • -\n" -"
                                                                              • Cloud platforms, such as Amazon Web Servic" -"es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
                                                                              • -\n" -======= -"
                                                                                  -\n" -"
                                                                                • High-performance" -" compilers, debuggers, analyzers, editors 
                                                                                • -\n" -"
                                                                                • Locally develope" -"d custom libraries and application packages for software development -\n" -"
                                                                                " -msgstr "" -"

                                                                                Voici des exemples d’outils logiciels :

                                                                                -\n" -"
                                                                                  -\n" -"
                                                                                • Débogueur" -"s, analyseurs, éditeurs, compilateurs à haute performance
                                                                                • -\n" -"
                                                                                • Bibliothèques et progiciels cré&ea" -"cute;s localement pour le développement de logiciels
                                                                                • -\n" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"
                                                                                " - -msgid "" -"

                                                                                (Re)using code/software requires, at minimu" -"m, information about both the environment and expected input/output. Log all p" -"arameter values, including when setting random seeds to predetermined values, " -"and make note of the requirements of the computational environment (software d" -"ependencies, etc.) Track your software development with versioning control sys" -"tems, such as GitHub Bitbucket, " -"GitLab, etc. 

                                                                                -\n" -"

                                                                                If your research and/or software are built " -"upon others’ software code, it is good practice to acknowledge and cite " -"the software you use in the same fashion as you cite papers to both identify t" -"he software and to give credit to its developers.

                                                                                -\n" -"For more information on proper software docume" -"ntation and citation practices, see: Ten simple rules for documenting scientific software and Software Citation Principles." -msgstr "" -<<<<<<< HEAD -"

                                                                                Exemple de détails techniques :

                                                                                -\n" -"
                                                                                  -\n" -======= -"

                                                                                  L’utilisation ou la réutilisat" -"ion d’un code ou d’un logiciel nécessite, au minimum, de l&" -"rsquo;information sur l’environnement et les entrées ou les sorti" -"es attendues. Enregistrez toutes les valeurs des paramètres, notamment " -"lorsque vous fixez des graines aléatoires à des valeurs pr&eacut" -"e;déterminées, et prenez note des exigences de l’environne" -"ment de calcul (dépendances des logiciels, etc.). Suivez le déve" -"loppement de votre logiciel à l’aide de systèmes de gestio" -"n des versions, tels que GitHub, Bitbucket<" -"/span>, GitLab, etc (liens en anglais" -"). 

                                                                                  Si vos recherches ou vos logiciels sont basés " -"sur le code de logiciel d’autrui, il est bon de reconnaître et de " -"citer le logiciel que vous utilisez de la même manière que vous c" -"itez des articles, à la fois pour identifier le logiciel et pour attrib" -"uer le mérite à ses développeurs.

                                                                                  Pour plus d’informations sur les pratiques ap" -"propriées de documentation et de citation des logiciels, consultez les " -"liens suivants : Dix r&" -"egrave;gles simples pour documenter les logiciels scientifiques et Principes de citation des logiciels (liens en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time, particu" -"larly if you are collecting data over a long period (e.g. several months or ye" -"ars). Similarly, a long-term storage plan is necessary if you intend to retain" -" your data after the research project.

                                                                                  " -msgstr "" -"

                                                                                  Les estimations de l’espace de stockage doivent prendre en compte les" -" besoins en matière de versions de fichiers, de sauvegardes et de crois" -"sance au fil du temps, surtout si vous collectez des données sur une lo" -"ngue période (par exemple plusieurs mois ou années). De mê" -"me, un plan de stockage à long terme est nécessaire si vous avez" -" l’intention de conserver vos données après le projet de r" -"echerche.

                                                                                  " - -msgid "" -"

                                                                                  Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                                                                  -\n" -"

                                                                                  The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                                                                  -\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Service." -msgstr "" -"

                                                                                  Les données peuvent être stock" -"ées sur des supports optiques ou magnétiques ; ceux-ci pe" -"uvent être amovibles (par exemple, des DVD et des clés USB), fixe" -"s (par exemple, des disques durs de bureau ou d’ordinateur portable) ou " -"en réseau (par exemple, des lecteurs en réseau ou des serveurs i" -"nfonuagiques). Chaque méthode de stockage présente des avantages" -" et des inconvénients qui doivent être pris en compte pour d&eacu" -"te;terminer la solution la plus appropriée. 

                                                                                  Le risque de perdre des données en raison " -"d’une erreur humaine, d’une catastrophe naturelle ou d’un au" -"tre incident peut être atténué en suivant la règle " -"de sauvegarde 3-2-1 : ayez au moins trois copies de vos donné" -"es, stockez les copies sur deux supports différents et conservez une co" -"pie de sauvegarde hors site.

                                                                                  Voici plus de renseignements sur les pratiques de stockage et de sauvegarde d" -"e la Bibliothèque de l’Université de Sh" -"effield et du Service des données du Royaume-Uni (liens en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Technical detail example:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Quota 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Examples of systems:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • High-performance archival/storage storage&" -"nbsp;
                                                                                  • -\n" -"
                                                                                  • Database
                                                                                  • -\n" -"
                                                                                  • Web server
                                                                                  • -\n" -"
                                                                                  • Data transfer
                                                                                  • -\n" -"
                                                                                  • Cloud platforms, such as Amazon Web Servic" -"es, Microsoft Azure, Open Science Framework (OSF), Dropbox, Box, Google Drive," -" One Drive
                                                                                  • -\n" -"
                                                                                  " -msgstr "" -"

                                                                                  Exemple de détails techniques :

                                                                                  -\n" -"
                                                                                    -\n" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"
                                                                                  • Quota 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Exemples de systèmes :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Archivage/stocka" -"ge à haute performance  
                                                                                  • -\n" -"
                                                                                  • Base de donn&eac" -"ute;es
                                                                                  • -\n" -"
                                                                                  • Serveur web
                                                                                  • -\n" -"
                                                                                  • Transfert de don" -"nées
                                                                                  • -\n" -"
                                                                                  • Plateformes info" -"nuagiques telles qu’Amazon Web Services, Microsoft Azure, Open Science F" -"ramework (OSF), Dropbox, Box, Google Drive, One Drive
                                                                                  • -\n" -"
                                                                                  " - -msgid "" -"

                                                                                  An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution. 

                                                                                  -\n" -"

                                                                                  Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and the servers are often located outside C" -"anada.

                                                                                  " -<<<<<<< HEAD -msgstr "" -"

                                                                                  Idéalement, une solution doit faciliter la coopération et ass" -"urer la sécurité des données, tout en pouvant être " -"adoptée par les utilisateurs avec un minimum de formation. La transmiss" -"ion des données entre les sites ou au sein des équipes de recher" -"che peut être difficile pour les infrastructures de gestion des donn&eac" -"ute;es. L’utilisation du courrier électronique pour le transfert " -"de données n’est pas une solution robuste ou sûre.
                                                                                  Les services de partage de fichiers commerciaux tiers (tels que Google Dri" -"ve et Dropbox) facilitent l’échange de fichiers, mais ils ne sont" -" pas nécessairement permanents ou sécurisés et ils sont s" -"ouvent situés à l’extérieur du Canada.

                                                                                  " - -msgid "" -"

                                                                                  This estimate should incorporate data manag" -"ement costs incurred during the project as well as those required for ongoing " -"support after the project is finished. Consider costs associated with data pur" -"chase, data curation, and providing long-term access to the data. For ARC proj" -"ects, charges for computing time, also called Service Units (SU), and the cost" -" of specialized or proprietary software should also be taken into consideratio" -"n. 

                                                                                  -\n" -"Some funding agencies state explicitly that th" -"ey will provide support to meet the cost of preparing data for deposit in a re" -"pository. These costs could include: technical aspects of data management, tra" -"ining requirements, file storage & backup, etc. OpenAIRE has a useful tool" -" for Estimating costs for RDM." -msgstr "" -"

                                                                                  Cette estimation doit comporter les co&ucir" -"c;ts de gestion des données encourus pendant le projet ainsi que ceux n" -"écessaires pour le soutien continu après la fin du projet. Tenez" -" compte des coûts liés à l’achat et à la cons" -"ervation des données, ainsi qu’à l’accès &agr" -"ave; long terme aux données. Pour les projets d’informatique de r" -"echerche avancée, prenez aussi en considération les frais de tem" -"ps de calcul, également appelés unités de service (Servic" -"e Units – SU) et le coût des logiciels spécialisés o" -"u propriétaires. 

                                                                                  -\n" -"

                                                                                  Certains organismes de financement dé" -";clarent explicitement qu’ils fourniront une aide pour couvrir le co&uci" -"rc;t de la préparation des données en vue de leur versement dans" -" un dépôt. Ces coûts peuvent inclure les aspects techniques" -" de la gestion des données, les besoins en formation, le stockage et la" -" sauvegarde des fichiers, etc. OpenAIRE dispose d’un outil utile pour l&" -"rsquo;estimation des coûts de GDR (lien en " -"anglais).

                                                                                  " - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties." -msgstr "" -"Votre plan de gestion des données spécifie des activités " -"importantes en matière de données dans votre projet. Déte" -"rminez la personne ou l’organisation qui sera responsable de la ré" -";alisation de ces activités de votre plan de gestion des données" -". Indiquez également le calendrier associé à ces responsa" -"bilités du personnel et toute formation nécessaire pour pr&eacut" -"e;parer le personnel à ces tâches." - -msgid "" -"Container solutions, such as docker and singularity, can replicate the exact computational environment for o" -"thers to run. For more information, these Ten Simple Rules for Writing Dockerfiles fo" -"r Reproducible Data Science and Ten Simple Rules for Reproducib" -"le Computational Research may be he" -"lpful." -msgstr "" -"Les solutions par conteneurs, dont docke" -"r et singularity (liens e" -"n anglais), peuvent reproduire l&r" -"squo;environnement de calcul exact pour que d’autres puissent le faire f" -"onctionner. Pour plus d’informations, ces dix règles simples d’&ea" -"cute;criture de fichiers Docker pour des données scientifiques reproduc" -"tibles et dix règles simples pour de la recherche comput" -"ationnelle reproductible (liens en anglais) peuvent être utiles." - -msgid "" -"

                                                                                  A computationally reproducible research pac" -"kage will include:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Primary data (and documentation) collected" -" and used in analysis
                                                                                  • -\n" -"
                                                                                  • Secondary data (and documentation) collect" -"ed and used in analysis
                                                                                  • -\n" -"
                                                                                  • Primary data output result(s) (and documen" -"tation) produced by analysis
                                                                                  • -\n" -"
                                                                                  • Secondary data output result(s) (and docum" -"entation) produced by analysis
                                                                                  • -\n" -"
                                                                                  • Software program(s) (and documentation) fo" -"r computing published results
                                                                                  • -\n" -"
                                                                                  • Dependencies for software program(s) for r" -"eplicating published results
                                                                                  • -\n" -"
                                                                                  • Research Software documentation and implem" -"entation details
                                                                                  • -\n" -"
                                                                                  • Computational research workflow and proven" -"ance information
                                                                                  • -\n" -"
                                                                                  • Published article(s) 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  All information above should be accessible " -"to both designated users and reusers. 

                                                                                  -\n" -"

                                                                                  (Re)using code/software requires knowledge " -"of two main aspects at minimum: environment and expected input/output. With su" -"fficient information provided, computational results can be reproduced. Someti" -"mes, a minimum working example will be helpful.

                                                                                  " -msgstr "" -"

                                                                                  Un projet de recherche reproductible par ca" -"lcul comprendra :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Données (" -"et documentation) primaires collectées et utilisées dans l&rsquo" -";analyse ;
                                                                                  • -\n" -"
                                                                                  • Données (" -"et documentation) secondaires collectées et utilisées dans l&rsq" -"uo;analyse ;
                                                                                  • -\n" -"
                                                                                  • Résultats" -" des données primaires (et documentation) produits par l’analyse&" -"thinsp;;
                                                                                  • -\n" -"
                                                                                  • Résultats" -" des données primaires (et documentation) produits par l’analyse&" -"thinsp;; 
                                                                                  • -\n" -"
                                                                                  • Programmes logic" -"iels (et documentation) pour le calcul des résultats publiés&thi" -"nsp;;
                                                                                  • -\n" -"
                                                                                  • Dépendanc" -"es pour les logiciels permettant de reproduire les résultats publi&eacu" -"te;s ;
                                                                                  • -\n" -"
                                                                                  • Documentation et" -" détails de mise en œuvre du logiciel de recherche ;
                                                                                  • -\n" -"
                                                                                  • Flux de recherch" -"e informatique et information sur la provenance ;
                                                                                  • -\n" -"
                                                                                  • Articles publi&e" -"acute;s. 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Toutes les informations ci-dessus doivent &" -"ecirc;tre accessibles à la fois aux utilisateurs et aux réutilis" -"ateurs désignés. 

                                                                                  -\n" -"

                                                                                  L’utilisation et la réutilisat" -"ion de codes ou de logiciels nécessitent la connaissance de deux aspect" -"s principaux au minimum : l’environnement et les entrées ou les s" -"orties attendues. Si les informations fournies sont suffisantes, les ré" -"sultats des calculs peuvent être reproduits. Parfois, un exemple fonctio" -"nnel minimal sera utile.

                                                                                  " - -msgid "" -"Consider where, how, and to whom sensitive data with acknowledged long-term va" -"lue should be made available, and how long it should be archived. Decisions sh" -"ould align with your institutional Research Ethics Board requirements.
                                                                                  <" -"br />Methods used to share data will be dependent on the type, size, complexit" -"y and degree of sensitivity of data. For instance, sensitive data should never" -" be shared via email or cloud storage services such as Dropbox. Outline any pr" -"oblems anticipated in sharing data, along with causes and possible measures to" -" mitigate these. Problems may include: confidentiality, lack of consent agreem" -"ents, or concerns about Intellectual Property Rights, among others." -msgstr "" -"

                                                                                  Considérez où, comment et &ag" -"rave; qui les données sensibles dont la valeur à long terme est " -"reconnue doivent être mises à disposition, et combien de temps el" -"les doivent être archivées. Vos décisions doivent êt" -"re conformes aux exigences du comité d’éthique de la reche" -"rche de votre établissement. 

                                                                                  -\n" -"

                                                                                  Les méthodes utilisées pour p" -"artager les données dépendront du type, de la taille, de la comp" -"lexité et du degré de sensibilité des données. Par" -" exemple, les données sensibles ne doivent jamais être partag&eac" -"ute;es par courrier électronique ou par des services de stockage dans l" -"e nuage tels que Dropbox. Indiquez les problèmes que vous prévoy" -"ez de rencontrer lors du partage de données, ainsi que les causes et le" -"s mesures possibles pour les atténuer. Les problèmes peuvent inc" -"lure : la confidentialité, l’absence d’accords de cons" -"entement ou des préoccupations concernant les droits de propriét" -"é intellectuelle, entre autres.

                                                                                  " - -msgid "" -"

                                                                                  Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring your Research Ethics Board " -"that data may be shared with researchers outside of your project. The consent " -"statement may identify certain conditions clarifying the uses of the data by o" -"ther researchers. For example, it may stipulate that the data will only be sha" -"red for non-profit research purposes or that the data will not be linked with " -"personally identified data from other sources. Read more about data security: " -"UK Data Service.

                                                                                  -\n" -"You may need to anonymize or de-identify your data before you can share it. Read more about these process" -"es at UBC Library , UK Data Service, or
                                                                                  Image Data Sharing for Biomedi" -"cal Research—Meeting HIPAA Requirements for De-identification" -"." -msgstr "" -"

                                                                                  L’obtention du consentement appropri&" -"eacute; des participants à la recherche est une étape importante" -" pour garantir à votre comité d’éthique de la reche" -"rche que les données peuvent être partagées avec des cherc" -"heurs en dehors de votre projet. La déclaration de consentement peut pr" -"éciser les conditions d’utilisation des données par d&rsqu" -"o;autres chercheurs. Par exemple, elle peut stipuler que les données ne" -" seront partagées qu’à des fins de recherche sans but lucr" -"atif ou que les données ne seront pas liées à des donn&ea" -"cute;es personnelles identifiées provenant d’autres sources. Pour" -" en savoir plus sur la sécurité des données, consultez le" -" Service des données du Royaume-Uni (" -"lien en anglais).

                                                                                  -\n" -"

                                                                                  Vous devrez peut-être anony" -"miser ou dépersonnaliser vos" -" données avant de pouvoir les partager. Vous pouvez vous renseigner sur" -" ces processus en consultant les liens suivants : Bibliothèque de l’Université de la C.-B., Service d" -"es données du Royaume-Uni, o" -"u Partage de données d’images pour la recherche biom" -"édicale — satisfaire aux exigences de la HIPAA en matière " -"de dépersonnalisation (liens en anglais).

                                                                                  " - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons licenses and the Open Data Commons licenses" -". For most datasets it is easier to" -" use a standard license rather than to devise a custom-made one. Even if you c" -"hoose to make your data part of the public domain, it is preferable to make th" -"is explicit by using a license such as Creative Commons' CC0. More about data " -"licensing: Digital Curation Centre. " -msgstr "" -"Il y a plusieurs types de licences standard &a" -"grave; la disposition des chercheurs telles que les licences Cr" -"eative Commons et les licences Open Data Commons (" -"lien en anglais). Pour la plupart des ensembles de données, il est plus f" -"acile d’utiliser une licence standard plutôt que de concevoir une " -"licence sur mesure. Même si vous choisissez de faire entrer vos donn&eac" -"ute;es dans le domaine public, il est préférable de le faire de " -"manière explicite en utilisant une licence telle que la CCO de Creative" -" Commons. Pour en savoir plus sur les licences, visitez le site du Centre de curation numérique (lien en a" -"nglais). " - -msgid "" -"Licenses stipulate how your data may be used. " -"Funding agencies and/or data repositories may have end-user license requiremen" -"ts in place; if not, they may still be able to guide you in the selection of a" -" license. Once selected, please include a copy of your end-user license with y" -"our Data Management Plan. Note that only the intellectual property rights hold" -"er(s) can issue a license, so it is crucial to clarify who owns those rights. " -"" -msgstr "" -"Les licences stipulent comment vos données peuvent être utilis&ea" -"cute;es. Les organismes de financement ou les dépôts de donn&eacu" -"te;es peuvent avoir des exigences en matière de licences d’utilis" -"ation finale ; autrement, ils peuvent vous guider dans le choix d&rsquo" -";une licence. Une fois que vous avez choisi votre licence, veuillez une copie " -"de votre licence d’utilisation finale avec votre plan de gestion des don" -"nées. Notez que les détenteurs des droits de propriét&eac" -"ute; intellectuelle sont les seuls à pouvoir délivrer une licenc" -"e, il est donc crucial de préciser à qui appartiennent ces droit" -"s." - -msgid "" -"

                                                                                  By providing a licence for your software, y" -"ou grant others certain freedoms, and define what they are allowed to do with " -"your code. Free and open software licences typically allow someone else to use" -", study, improve and share your code. You can licence all the software you wri" -"te, including scripts and macros you develop on proprietary platforms. For mor" -"e information, see Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

                                                                                  -\n" -"

                                                                                  Please be aware that software is typically " -"protected by copyright that is often held by the institution rather than the d" -"eveloper. Ensure you understand what rights you have to share your software be" -"fore choosing a license.

                                                                                  " -msgstr "" -"

                                                                                  En fournissant une licence pour votre logic" -"iel, vous accordez aux autres certaines libertés et définissez c" -"e qu’ils sont autorisés à faire avec votre code. Les licen" -"ces de logiciels gratuits en libre accès permettent génér" -"alement à quelqu’un d’autre d’utiliser, d’&eacu" -"te;tudier, d’améliorer et de partager votre code. Vous pouvez acc" -"order une licence pour tous les logiciels que vous écrivez, y compris l" -"es scripts et les macros que vous développez sur des plateformes propri" -"étaires. Pour plus d’informations, consultez le site Choisir une l" -"icence open source ou les options d" -"e licence open source sur le site Initiative open source (liens en " -"anglais).

                                                                                  -\n" -"

                                                                                  Sachez que les logiciels sont gén&ea" -"cute;ralement protégés par un droit d’auteur qui appartien" -"t plus souvent à l’institution qu’au développeur. As" -"surez-vous de bien comprendre les droits dont vous disposez pour partager votr" -"e logiciel avant de choisir une licence.

                                                                                  " - -msgid "" -"

                                                                                  Before you copy, (re-)use, modify, build on" -", or (re-)distribute others’ data and code, or engage in the production " -"of derivatives, be sure to check, read, understand and follow any legal licens" -"ing agreements. The actions you can take, including whether you can publish or" -" redistribute derivative research products, may depend on terms of the origina" -"l license.

                                                                                  -\n" -"

                                                                                  If your research data and/or software are b" -"uilt upon others’ data and software publications, it is good practice to" -" acknowledge and cite the corresponding data and software you use in the same " -"fashion as you cite papers to both identify the software and to give credit to" -" its developers. Some good resources for developing citations are the <" -"a href=\"https://peerj.com/articles/cs-86/\">Sof" -"tware Citation Principles (Smith et al., 2016), DataCite - Cite Your Data, and Out of Cite, Out of M" -"ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

                                                                                  -\n" -"

                                                                                  Compliance with privacy legislation and law" -"s that may restrict the sharing of some data should be discussed with your ins" -"titution's privacy officer or data librarian, if possible. Research Ethics Boa" -"rds are also central to the research process and a valuable resource. Include " -"in your documentation a description concerning ownership, licensing, and intel" -"lectual property rights of the data. Terms of reuse must be clearly stated, in" -" line with the relevant legal and ethical requirements where applicable (e.g.," -" subject consent, permissions, restrictions, etc.).

                                                                                  " -msgstr "" -"

                                                                                  Avant de copier, utiliser, réutilise" -"r, modifier, développer, distribuer ou redistribuer les données " -"et le code d’autrui, ou de vous engager dans la production de produits d" -"érivés, assurez-vous de vérifier, de lire, de comprendre " -"et de respecter tout accord de licence légal. Les mesures que vous pouv" -"ez prendre, y compris la publication ou la redistribution de produits de reche" -"rche dérivés, peuvent dépendre des conditions de la licen" -"ce d’origine.

                                                                                  -\n" -"

                                                                                  Si vos données ou logiciels de reche" -"rche sont basés sur des données et des logiciels publiés " -"par d’autrui, il est bon de reconnaître et de citer les donn&eacut" -"e;es et logiciels correspondants que vous utilisez de la même mani&egrav" -"e;re que vous citez des articles, à la fois pour identifier le logiciel" -" et pour donner le mérite à ses développeurs. Voici quelq" -"ues bonnes ressources pour l’élaboration de citations : Principes de citation de logiciel (Smith et col., 2016), DataCite — citez vos données, et Out of Cite, Out of Mind: l’état actuel des pratiques, politi" -"ques et technologies de citation des données (liens en anglais<" -"/span>).

                                                                                  -\n" -"

                                                                                  Discutez du respect des lois sur la protect" -"ion de la vie privée susceptibles de restreindre le partage de certaine" -"s données avec le responsable de la protection de la vie privée " -"ou le bibliothécaire des données de votre institution, si possib" -"le. Les comités d’éthique de la recherche sont égal" -"ement au cœur du processus de recherche et constituent une ressource pr&" -"eacute;cieuse. Dans votre documentation, précisez la propriét&ea" -"cute;, la licence et les droits de propriété intellectuelle des " -"données. Les conditions de réutilisation doivent être clai" -"rement énoncées, conformément aux exigences juridiques et" -" éthiques applicables le cas échéant (par exemple, consen" -"tement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" -"

                                                                                  One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. The Digital Curation Centre provides a detailed guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

                                                                                  -\n" -"

                                                                                  Some repositories also create links from da" -"tasets to their associated papers, increasing the visibility of the publicatio" -"ns. If possible, cross-reference or link out to all publications, code and dat" -"a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

                                                                                  -\n" -"Other sharing possibilities include: data regi" -"stries, indexes, word-of-mouth, and publications. For more information, see Key Elements to Consider in Preparin" -"g a Data Sharing Plan Under NIH Extramural Support." -msgstr "" -"

                                                                                  L’un des meilleurs moyens de diriger " -"d’autres chercheurs à vos ensembles de données dépo" -"sés est de les citer de la même manière que vous citez d&r" -"squo;autres types de publications. Le Centre de conservation numérique " -"fournit un guide sur la citation des données" -" (lien en anglais). Vous p" -"ouvez aussi consulter les recommandations en matière de cit" -"ation de DataCite (lien en anglais). 

                                                                                  -\n" -"

                                                                                  Certains dépôts créent " -"également des liens entre les ensembles de données et les docume" -"nts qui leur sont associés, ce qui augmente la visibilité des pu" -"blications. Si possible, faites des références croisées o" -"u créez des liens vers toutes les publications, codes et données" -". Choisissez un référentiel qui attribuera un identifiant perman" -"ent (tel qu’un identifiant numérique d’objet) à votr" -"e ensemble de données afin de garantir un accès stable à " -"l’ensemble de données.

                                                                                  -\n" -"

                                                                                  D’autres possibilités de parta" -"ge comprennent : les registres de données, les index, le bouche-&a" -"grave;-oreille et les publications. Pour plus d’informations, consultez " -"les Éléments cl&eacu" -"te;s à prendre en compte dans l’élaboration d’un pla" -"n de partage des données avec le soutien en dehors des INS (lie" -"n en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Consider which data are necessary to validate (support or verify) your research findi" -"ngs, and which must be shared to meet institutional or funding requirements. T" -"his may include data and code used in analyses or to create charts, figures, i" -"mages, etc. Certain data may need to be restricted because of confidentiality," -" privacy, or intellectual property considerations and should be described belo" -"w.

                                                                                  -\n" -"Wherever possible, share your data in preserva" -"tion-friendly file formats. Some data formats are optimal for the long-term pr" -"eservation of data. For example, non-proprietary file formats, such as text ('" -".txt') and comma-separated ('.csv'), are considered preservation-friendly. The" -" UK Data Service provides a useful table of file formats for various ty" -"pes of data. Keep in mind that preservation-friendly files converted from one " -"format to another may lose information (e.g. converting from an uncompressed T" -"IFF file to a compressed JPG file), so changes to file formats should be docum" -"ented. " -msgstr "" -"

                                                                                  Examinez quelles données sont n&eacu" -"te;cessaires pour valider (soutenir ou vérifier; lien en anglais)" -" vos résultats de recherche, et lesquelles doivent être partag&ea" -"cute;es pour répondre aux exigences de l’établissement ou " -"du financement. Il peut s’agir de données et de codes utilis&eacu" -"te;s dans des analyses ou pour créer des graphiques, des figures, des i" -"mages, etc. Certaines données peuvent devoir être restreintes pou" -"r des raisons de confidentialité, de respect de la vie privée ou" -" de propriété intellectuelle et doivent être décrit" -"es ci-dessous.

                                                                                  -\n" -"

                                                                                  Dans la mesure du possible, partagez vos do" -"nnées dans des formats de fichiers faciles à conserver. Certains" -" formats de données sont optimaux pour la conservation à long te" -"rme des données. Par exemple, les formats de fichiers non proprié" -";taires, tels que le texte ('.txt') et les fichiers séparés par " -"des virgules ('.csv'), sont considérés comme faciles à co" -"nserver. Le Service des donné" -"es du Royaume-Uni (lien en anglais) fournit un tableau utile des formats de fichiers pour différe" -"nts types de données. Sachez que les fichiers faciles à conserve" -"r convertis d’un format à un autre peuvent perdre des information" -"s (par exemple, la conversion d’un fichier TIFF non compressé en " -"un fichier JPG compressé), et que les modifications apportées au" -"x formats de fichiers doivent donc être documentées.

                                                                                  " - -msgid "" -"

                                                                                  Data retention should be considered early i" -"n the research lifecycle. Data-retention decisions can be driven by external p" -"olicies (e.g. funding agencies, journal publishers), or by an understanding of" -" the enduring value of a given set of data. The need to preserve data in the s" -"hort-term (i.e. for peer-verification purposes) or long-term (for data of last" -"ing value), will influence the choice of data repository or archive. A helpful" -" analogy is to think of creating a 'living will' for the data, that is, a plan" -" describing how future researchers will have continued access to the data.&nbs" -"p;

                                                                                  -\n" -"It is important to verify whether or not the d" -"ata repository you have selected will support the terms of use or licenses you" -" wish to apply to your data and code. Consult the repository’s own terms" -" of use and preservation policies for more information. For help finding an ap" -"propriate repository, contact your institution’s library or reach out to" -" the Portage DMP Coordinator at sup" -"port@portagenetwork.ca. " -msgstr "" -"

                                                                                  La rétention des données doit" -" être envisagée dès le début du cycle de vie de la " -"recherche. Les décisions relatives à la rétention des don" -"nées peuvent être dictées par des politiques externes (par" -" exemple, les organismes de financement, les éditeurs de revues) ou par" -" la compréhension de la valeur durable d’un ensemble de donn&eacu" -"te;es donné. La nécessité de conserver les données" -" à court terme (c’est-à-dire à des fins de vé" -";rification par les pairs) ou à long terme (pour les données aya" -"nt une valeur durable), influencera le choix du dépôt ou de l&rsq" -"uo;archive de données. Une analogie pertinente serait la créatio" -"n d’un \"testament biologique\" pour les données, c’est-&agra" -"ve;-dire un plan décrivant comment les futurs chercheurs auront un acc&" -"egrave;s continu aux données. 

                                                                                  -\n" -"

                                                                                  Il est important de vérifier si le d" -"épôt de données que vous avez sélectionné su" -"pportera ou non les conditions d’utilisation ou les licences que vous so" -"uhaitez appliquer à vos données et à votre code. Pour plu" -"s d’informations, consultez les conditions d’utilisation et les po" -"litiques de conservation du dépôt. Pour trouver un dép&oci" -"rc;t approprié, communiquez avec la bibliothèque de votre instit" -"ution ou le Coordonnateur de la PGD de Portage à l’adresse su" -"pport@portagenetwork.ca. " - -msgid "" -"The general-purpose repositories for data shar" -"ing in Canada are the Federated Research Data Repository (FRDR) and Scholars Portal Dataverse<" -"/a>. You can search for discipline-specific re" -"positories on re3data.org or by using " -"DataCite's Repository Finder tool. " -msgstr "" -"Les dépôts à usage g&eacut" -"e;néral pour le partage des données au Canada sont le Dépôt fédéré de données de recherch" -"e et Scholars Portal D" -"ataverse. Vous pouvez rechercher de" -"s dépôts spécifiques à une discipline sur re3data.org<" -"/a> utilisant l’outil de rep&e" -"acute;rage de dépôt de DataCite (liens en anglais<" -"/em>). " - -msgid "" -"

                                                                                  Making the software (or source code) you de" -"veloped accessible is essential for others to understand your work. It allows " -"others to check for errors in the software, to reproduce your work, and ultima" -"tely, to build upon your work. Consider using a code-sharing platform such as " -"GitHub Bitbucket, or GitLab. If you would like to archive your code and recei" -"ve a DOI, " -"GitHub is integrated with Zenodo as a repository option. 

                                                                                  -\n" -"

                                                                                  At a minimum, if using third-party software" -" (proprietary or otherwise), researchers should share and make available the s" -"ource code (e.g., analysis scripts) used for analysis (even if they do not hav" -"e the intellectual property rights to share the software platform or applicati" -"on itself).

                                                                                  " -msgstr "" -"

                                                                                  Vous devez rendre accessible le logiciel (o" -"u le code source) que vous avez développé pour que les autres pu" -"issent comprendre votre travail. Vous permettrez ainsi aux autres de vé" -"rifier les erreurs du logiciel, de reproduire votre travail et, en fin de comp" -"te, de s’appuyer sur votre travail. Envisagez d’utiliser une plate" -"forme de partage de code comme GitHub, Bitb" -"ucket ou GitLab (liens en angl" -"ais). Si vous souhaitez archiver v" -"otre code et obtenir un identifiant numérique d’objet, GitHub est intégré à Zenodo (lien en " -"anglais) en tant qu’option d" -"e dépôt. 

                                                                                  -\n" -"

                                                                                  Lorsque les chercheurs utilisent un logicie" -"l tiers (propriétaire ou autre), ils devraient au moins partager et ren" -"dre disponible le code source (par exemple, les scripts d’analyse) utili" -"sé pour l’analyse (même s’ils n’ont pas les dro" -"its de propriété intellectuelle pour partager la plateforme ou l" -"’application logicielle elle-même).

                                                                                  " - -msgid "" -"After the software has been delivered, used an" -"d recognized by a sufficiently large group of users, will you allocate both hu" -"man and financial resources to support the regular maintenance of the software" -", for activities such as debugging, continuous improvement, documentation and " -"training?" -msgstr "" -"Après la livraison, l’utilisation" -" et la reconnaissance du logiciel par un groupe d’utilisateurs suffisamm" -"ent important, allouerez-vous des ressources humaines et financières po" -"ur assurer la maintenance régulière du logiciel pour des activit" -"és telles que le débogage, l’amélioration continue," -" la documentation et la formation ?" - -msgid "" -"A classification system is a useful tool, especially if you work with ori" -"ginal manuscripts or non-digital objects (for example, manuscripts in binders)" -". Provide the description of your classification system in this plan or provid" -"e reference to the documents containing it." -msgstr "" -"Un syst&" -"egrave;me de classification est un " -"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " -"des objets non-numériques (par exemple, des manuscrits dans des classeu" -"rs). Fournir la description de votre système de classification dans ce " -"plan ou fournir la référence aux documents contenant celle-ci. <" -"/span>" - -msgid "" -"Naming conventions should be developed. Provide the description of your naming" -" and versioning procedure in this plan or provide reference to documents conta" -"ining it. Read more about file naming and version control at UK Data Service." -msgstr "" -"Des règles de nommage devraient ê" -"tre développées. Fournir la description de votre procédur" -"e de nommage et de versionnage dans ce plan ou fournir la référe" -"nce aux documents contenant celle-ci. Lire davantage sur le nommage de fichier" -"s et le contrôle des versions à UK Data Service (lien en anglais)." - -msgid "" -"

                                                                                  Elements to consider in contextualizing res" -"earch data: methodologies, definitions of variables or analysis categories, sp" -"ecific classification systems, assumptions, code tree, analyses performed, ter" -"minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

                                                                                  -\n" -"

                                                                                  To ensure a verifiable historical interpret" -"ation and the lowest possible bias in the possible reuse of the data, try to i" -"dentify elements of implicit knowledge or that involve direct communication wi" -"th the principal investigator.

                                                                                  " -msgstr "" -"

                                                                                  Éléments à considérer pour contextualiser le ma" -"tériel de recherche : méthodologies utilisées, déf" -"initions des variables ou des catégories d’analyse, systèm" -"es de classification particulier, suppositions émises, arbre de codage," -" analyses effectuées, évolution terminologique d’un concep" -"t, personnel ayant travaillé sur le matériel et tâches r&e" -"acute;alisées, etc.

                                                                                  Pour assurer une interprétation " -"historique vérifiable et le moins biaisée possible lors d’" -"une éventuelle réutilisation des données, tenter d’" -"identifier les éléments de connaissances tacites ou qui implique" -"nt une communication directe avec le chercheur principal.

                                                                                  " - -msgid "" -"Consider the total volume of storage space exp" -"ected for each media containing these files. If applicable, include hardware c" -"osts in the funding request. Include this information in the Responsibilities and Resources section as well." -msgstr "" -"Considérer le volume total de l’e" -"space de stockage anticipé pour chaque support contenant les fichiers m" -"entionnés. Le cas échéant, inclure le coût pour l&r" -"squo;achat de matériel informatique dans la demande de financement. Int" -"égrer aussi cette information dans la section Responsabilités et ressources." - -msgid "" -"

                                                                                  For long-term preservation, you may wish to" -" consider CoreTrustSeal certified repositories found in this directory" -". However, as many repositories may be in the process of being certified and a" -"re not yet listed in this directory, reviewing the retention policy of a repos" -"itory of interest will increase your options. For repositories without certifi" -"cation, you can evaluate their quality by comparing their policies to the stan" -"dards of a certification. Read more on trusted data repositories at The University of Edin" -"burgh and OpenAIRE.

                                                                                  -\n" -"

                                                                                  To increase the visibility of research data" -", opt for disciplinary repositories: search by discipline in re3data.org.

                                                                                  -\n" -"

                                                                                  For solutions governed by Canadian legislat" -"ion, it is possible to browse by country of origin in re3data.org. In addition" -", Canada’s digital research infrastructure offers the Federated Research" -" Data Repository (FRDR). Finally," -" it is quite possible that your institution has its own research data reposito" -"ry.

                                                                                  -\n" -"

                                                                                  To make sure the selected repository meets " -"the requirements of your DMP, feel free to seek advice from a resource person or contact the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" - -msgid "" -"

                                                                                  Preparing research data for eventual preser" -"vation involves different tasks that may have costs that are budgeted for pref" -"erably in the funding application. This could require a cost model or simply t" -"he basic sections of the UK Data Service Costing T" -"ool.

                                                                                  -\n" -"

                                                                                  Include this cost estimate in the Responsibilities and Resources section.

                                                                                  -\n" -"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuel conservation implique une variét&ea" -"cute; de tâches pouvant présenter des coûts qu’il est" -" préférable de budgétiser dans la demande de financement." -" À cette fin, un mo" -"dèle de coûts peut-&ec" -"irc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If applicable, retrieve written consent from an institution's ethics approv" -"al process. If the research involves human participants, verify that the conte" -"nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

                                                                                  -\n" -"

                                                                                  Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. <" -"span style=\"font-weight: 400;\">Read more about data security at UK Data Service." -"

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, obtenir le co" -"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" -"

                                                                                  Si la recherche implique des participants h" -"umains, vérifier que le contenu des diverses sections de ce PGD est con" -"forme au formulaire de consentement signé par les participants.<" -"/p>\n" -"

                                                                                  Décrire les problèmes pr&eacu" -"te;vus en matière de partage des données au sein de l’&eac" -"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" -"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or Réseau P" -"ortage.

                                                                                  -\n" -"

                                                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                                                  -\n" -"

                                                                                  Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, portez une at" -"tention particulière à l’adéquation du contenu de l" -"a section Partage et réutili" -"sation avec les formulaires de con" -"sentement signés par les participants. L’anonymisation des donn&e" -"acute;es peut rassurer les participants tout en favorisant le développe" -"ment d’une culture du partage des données. En savoir plus sur l&r" -"squo;anonymisation: UBC Library, UK Data Service" -" (liens en anglais), ou le" -" Réseau Portage. <" -"/span>

                                                                                  -\n" -"

                                                                                  Vérifier aussi que même les m&" -"eacute;tadonnées ne véhiculent pas des données sensibles." -"

                                                                                  -\n" -"

                                                                                  Expliquer comment seront traitées le" -"s demandes d’accès au matériel de recherche contenant des " -"données sensibles. Sous quelles conditions l’accès est-il " -"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" -"tre fournies aux demandeurs?

                                                                                  " - -msgid "" -"

                                                                                  Describe the allocation of copyrights between members of the research team " -"and external copyright holders (include libraries, archives and museums). Veri" -"fy that the licenses to use the research materials identified in the Shari" -"ng and Reuse section are consistent with the description in this section." -"

                                                                                  -\n" -"

                                                                                  If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person.

                                                                                  " -msgstr "" -"

                                                                                  Décrire la répartition des dr" -"oits entre les membres de l’équipe de recherche et des dét" -"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" -"cute;es). Vérifier que les licences d’utilisation du matér" -"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." -"

                                                                                  -\n" -"

                                                                                  Si des activités commerciales se joi" -"gnent à votre projet de recherche, des aspects légaux sont &agra" -"ve; considérer quant à la protection des renseignements priv&eac" -"ute;s. La conformité aux lois su" -"r la protection des renseignements personnels et à la pr" -"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" -"stion peut être discutée avec une personne ressource<" -"span style=\"font-weight: 400;\">.

                                                                                  " - -msgid "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." -msgstr "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." - -msgid "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If the DMP is at the funding application st" -"age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

                                                                                  -\n" -"

                                                                                  Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                                                                  " -msgstr "" -"

                                                                                  Si le PGD est à l’étape" -" d’accompagnement d’une subvention, documenter en priorité " -"les tâches associées à des coûts afin de budgé" -";tiser le plus précisément possible la gestion des donnée" -"s de recherche avec la demande de financement.

                                                                                  -\n" -"

                                                                                  Suggestion de tâches à documen" -"ter : Rédaction et mise à jour du PGD, Rédaction des" -" procédure de gestion documentaire (règle de nommage, copies de " -"sécurité...), Suivi de la mise en application des procédu" -"res de gestion documentaire, Conduite du processus d’assurance qualit&ea" -"cute;, Conception et mise à jour du plan de relève, Rédac" -"tion de la documentation, Évaluation de la durée de conservation" -", Évaluation des coûts de gestion des données, Gestion des" -" données sensibles, Gestion des licences et propriété int" -"ellectuelle, Choix du lieu de dépôt final des données, Pr&" -"eacute;paration du matériel de recherche pour le dépôt fin" -"al.

                                                                                  " - -msgid "" -"Taking into account all the aspects in the pre" -"vious sections, estimate the overall cost of implementing the data management " -"plan. Consider both the management activities required during the active phase" -" of the project and the preservation phase. Some of these costs may be covered" -" by funding agencies." -msgstr "" -"Considérant la réflexion faite d" -"ans les sections précédentes, estimer le coût total pour a" -"ssurer l’application du plan de gestion des données. Tenir compte" -" autant des activités de gestion requises pendant la phase active du pr" -"ojet que pour la phase de conservation. Une partie de ces coûts pourraie" -"nt être couverts par le financement octroyé par des organismes su" -"bventionnaires." - -msgid "" -"A clas" -"sification system is a useful tool," -" especially if you work with original manuscripts or non-digital objects (for " -"example, manuscripts in binders). Provide the description of your classificati" -"on system in this plan or provide reference to the documents containing it. " -msgstr "" -"Un syst&" -"egrave;me de classification est un " -"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " -"des objets non-numériques (par exemple, des manuscrits dans des classeu" -"rs). Fournir la description de votre système de classification dans ce " -"plan ou fournir la référence aux documents contenant celle-ci. <" -"/span>" - -msgid "" -"

                                                                                  Naming conventions should be developed. Pro" -"vide the description of your naming and versioning procedure in this plan or p" -"rovide reference to documents containing it. Read more about file naming and v" -"ersion control at UK Data Service" -".

                                                                                  " -msgstr "" -"

                                                                                  Fournir la description de votre procé" -";dure de nommage et de versionnage dans ce plan ou fournir la réf&eacut" -"e;rence aux documents contenant celle-ci. Lire davantage sur le nommage de fichiers et le contrôle des ver" -"sions : UK Data Service (" -"lien en anglais). 

                                                                                  " - -msgid "" -"e.g. fi" -"eld notebook, information log, committee implementation, tools such as " -"OpenRefine or " -"QAMyData; consistency with standard" -"s. " -msgstr "" -"Ex. : carnet de terrain, tenu d’un journ" -"al, mise en place d’un comité, utilisation d’outils comme <" -"a href=\"https://openrefine.org/\">OpenRefine ou QAMyData (liens en anglai" -"s); correspondance avec des normes. " - -msgid "" -"You may want to systematically include a documentation section in project prog" -"ress reports or link quality assurance activities to the documentation. It is " -"good practice to ensure that data management is included in the tasks of desig" -"nated individuals." -msgstr "" -"Vous voulez peut-être inclure syst&eacut" -"e;matiquement une section documentation dans les rapports d’étape" -" du projet ou liez les activités d’assurance qualité &agra" -"ve; la documentation. Il s’agit d’une bonne pratique d’assur" -"er la gestion des données est incluse dans les tâches de personne" -"s désignées. " - -msgid "" -"

                                                                                  A metadata schema is very useful to systematize the description of rese" -"arch material while making it readable by computers, thus contributing to a be" -"tter dissemination of this material (e.g.: see R&ea" -"cute;seau Info-Musée [link in French] or Cataloging Cultura" -"l Objects). However, their use may result in a loss of information on prov" -"enance or contextualization, so ensure that this documentation is present else" -"where.

                                                                                  -\n" -"

                                                                                  Resource for exploring and identifying meta" -"data schemas that may be helpful: RDA Metadata Directory.

                                                                                  -\n" -"

                                                                                  Resources for exploring controlled vocabula" -"ries: CIDOC/ICOM Conceptual Reference Mode" -"l, Linked Open Vocabulari" -"es. If needed, contact a DMP resource person at your institution" -".

                                                                                  " -msgstr "" -"

                                                                                  Un s" -"chéma de métadonnées (lien en anglais) est très utile pour syst&eac" -"ute;matiser la description du matériel de recherche tout en la rendant " -"lisible par les ordinateurs, contribuant ainsi à une meilleure diffusio" -"n de ce matériel (ex. : voir Réseau Info-Musée ou Cataloging Cultural Objec" -"ts [lien en anglais]). Leu" -"r utilisation peut toutefois entraîner une perte d’information sur" -" la provenance ou la contextualisation, donc s’assurer que cette documen" -"tation est présente ailleurs.

                                                                                  -\n" -"

                                                                                  Ressource pour explorer et identifier des s" -"chémas de métadonnées qui pourraient vous être util" -"es : RDA Metadata Directory (lien en anglais). 

                                                                                  -\n" -"

                                                                                  Ressources pour explorer des vocabulaires c" -"ontrôlés : Conceptual Reference Model du CIDOC / ICOM, Linked Open Vocabularies (lien" -"s en anglais). Au besoin, communiq" -"uer avec une personne ressource.

                                                                                  " - -msgid "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If applicable, retrieve written consent fro" -"m an institution's ethics approval process. If the research involves human par" -"ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

                                                                                  -\n" -"

                                                                                  Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. Read mor" -"e about data security at UK Data Service<" -"span style=\"font-weight: 400;\">.

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, obtenir le co" -"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" -"

                                                                                  Si la recherche implique des participants h" -"umains, vérifier que le contenu des diverses sections de ce PGD est con" -"forme au formulaire de consentement signé par les participants.<" -"/p>\n" -"

                                                                                  Décrire les problèmes pr&eacu" -"te;vus en matière de partage des données au sein de l’&eac" -"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" -"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or the Portage Network.

                                                                                  -\n" -"

                                                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                                                  -\n" -"

                                                                                  Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, portez une at" -"tention particulière à l’adéquation du contenu de l" -"a section Partage avec les formulaires de consentement signés " -"par les participants. L’anonymisation des données peut rassurer l" -"es participants tout en favorisant le développement d’une culture" -" du partage des données. En savoir plus sur l’anonymisation: UBC Library, UK Data Service (liens en angla" -"is), ou le Réseau" -" Portage

                                                                                  -\n" -"

                                                                                  Vérifier aussi que même les m&" -"eacute;tadonnées ne véhiculent pas des données sensibles." -"

                                                                                  -\n" -"

                                                                                  Expliquer comment seront traitées le" -"s demandes d’accès au matériel de recherche contenant des " -"données sensibles. Sous quelles conditions l’accès est-il " -"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" -"tre fournies aux demandeurs?

                                                                                  " - -msgid "" -"

                                                                                  Describe the allocation of copyrights betwe" -"en members of the research team and external copyright holders (include librar" -"ies, archives and museums). Verify that the licenses to use the research mater" -"ials identified in the Sharing and " -"Reuse section are consistent with " -"the description in this section.

                                                                                  -\n" -"

                                                                                  If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person." -msgstr "" -"

                                                                                  Décrire la répartition des dr" -"oits entre les membres de l’équipe de recherche et des dét" -"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" -"cute;es). Vérifier que les licences d’utilisation du matér" -"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." -"

                                                                                  -\n" -"

                                                                                  Si des activités commerciales se joi" -"gnent à votre projet de recherche, des aspects légaux sont &agra" -"ve; considérer quant à la protection des renseignements priv&eac" -"ute;s. La conformité aux lois su" -"r la protection des renseignements personnels et à la pr" -"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" -"stion peut être discutée avec une personne ressource<" -"span style=\"font-weight: 400;\">.

                                                                                  " - -msgid "" -"Example: Reporting in a recognized data repository, attributi" -"on of a perennial identifier such as DOI (see the FREYA proje" -"ct guide), reporting in mailing lists and social networks." -msgstr "" -"Exemple : Signalement dans un dé" -";pôt de données de reconnu, attribution d’un identifiant p&" -"eacute;renne comme DOI (voir le guide du projet FREYA; lien en anglais), signalement dans les listes de diffusion et ré" -"seaux sociaux." - -msgid "" -"

                                                                                  To optimize the dissemination of research material, follow the FAIR princip" -"les as much as possible. The Australian Research Data Commons" -" offers an easy-to-use tool for assessing compliance with these principles" -". The Digita" -"l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

                                                                                  -\n" -"

                                                                                  To make the material retrievable by other tools and to cite it in scholarly" -" publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

                                                                                  -\n" -"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  -\n" -"

                                                                                  Pour rendre le matériel récup" -"érable par d’autres outils et le citer dans les publications sava" -"ntes, publication d’un article de données dans une revue en libre" -" accès comme Research Data Journal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                                                                  " -msgstr "" -"

                                                                                  Suggestion de tâches à documenter : Rédaction et mise &" -"agrave; jour du PGD, Rédaction des procédure de gestion document" -"aire (règle de nommage, copies de sécurité...), Suivi de " -"la mise en application des procédures de gestion documentaire, Conduite" -" du processus d’assurance qualité, Conception et mise à jo" -"ur du plan de relève, Rédaction de la documentation, Éval" -"uation de la durée de conservation, Évaluation des coûts d" -"e gestion des données, Gestion des données sensibles, Gestion de" -"s licences et propriété intellectuelle, Choix du lieu de d&eacut" -"e;pôt final des données, Préparation du matériel de" -" recherche pour le dépôt final.

                                                                                  " - -msgid "" -"Describe the process to be followed, the actio" -"ns to be taken, and the avenues to be considered to ensure ongoing data manage" -"ment if significant changes occur. Here are possible events to consider: a pri" -"ncipal investigator is replaced, a person designated in the assignment table c" -"hanges, a student who has finished their project related to research data in t" -"his DMP leaves." -msgstr "" -"Indiquer les procédures à suivre, les actions à poser, le" -"s pistes à considérer pour assurer la poursuite de la gestion de" -"s données si des changements notables se présentent. Exemple d&r" -"squo;événements à considérer : remplacement de che" -"rcheur principal, changement de responsable désigné dans le tabl" -"eau des tâches, départ d’un étudiant ayant fini son " -"projet associé au matériel de recherche concerné dans ce " -"PGD." - -msgid "" -"The data source(s) for this project is/are the" -" <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" -"urrent version(s) is/are: <<Record number>>." -msgstr "" -"

                                                                                  Les sources de données pour ce proje" -"t sont <<INSCRIRE LE NOM DES ÉTUDES/DOSSIERS ADMINISTRATIFS APPRO" -"UVÉS>>. Les versions actuelles sont : <<Numéro " -"d’enregistrement>>.

                                                                                  " - -msgid "" -"The record number is available on Statistics C" -"anada's website which can be accessed directly, or through our website: crdcn.org/dat" -"a. E.g. Aboriginal People's Survey " -"2017 Record number:3250 https://w" -"ww23.statcan.gc.ca/imdb/p2SV.pl?Function=getSurvey&SDDS=3250" -msgstr "" -"Le numéro d’enregistrement est di" -"sponible sur le site web de Statistique Canada ; on peut y accéd" -"er directement ou via notre site web crdcn.org/data. Par exemple : Enquête auprès des peuples autochto" -"nes 2017, Numéro d’enregistrement : 3250 https://www23.statcan.gc.ca/imdb/p2SV_f." -"pl?Function=getSurvey&SDDS=3250." - -msgid "" -"External or Supplemental data are the data use" -"d for your research project that are not provided to you by Statistics Canada " -"through the Research Data Centre program." -msgstr "" -"Les données externes ou supplémentaires sont les données " -"utilisées pour votre projet de recherche qui ne vous sont pas fournies " -"par Statistique Canada dans le cadre du programme des centres de donnée" -"s de recherche." - -msgid "" -"Resources are available on the CRDCN website t" -"o help. A recommendation from CRDCN on how to document your research contribut" -"ions can be found here. For ideas on how to properly curate reproducible resea" -"rch, you can go here: https://labordy" -"namicsinstitute.github.io/replication-tutorial-2019/#/" -msgstr "" -"Des ressources sont disponibles sur le site we" -"b du RCCDR pour vous aider. Vous trouverez ici une recommandation du RCCDR sur" -" la manière de documenter vos contributions à la recherche. Pour" -" des idées sur la façon de conserver des recherches reproductibl" -"es, vous pouvez consulter le site suivant : https://labordynamicsinstitute.github.io/replication-tutorial-2019/#/ (lien en anglais)." - -msgid "" -"Syntax: Any code used by the researcher to tra" -"nsform the raw data into the research results. This most commonly includes, bu" -"t is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code." -msgstr "" -"La syntaxe est définie comme tout code utilisé par un chercheur " -"pour transformer les données brutes en résultats de recherche. G" -"énéralement, elle est sous forme de fichiers .do (Stata), de fic" -"hiers .sas (SAS) et de code .r (R)." - -msgid "" -"Because of the structure of the agreements und" -"er which supplemental data are brought into the RDC we highly recommend a para" -"llel storage and backup to simplify sharing of these research data. Note that " -"\"data\" here refers not only to the raw data, but to any and all data generated" -" in the course of conducting the research." -msgstr "" -"Étant donné la structure des accords en vertu desquels les donn&" -"eacute;es supplémentaires sont introduites dans le CDR, nous recommando" -"ns fortement un stockage et une sauvegarde parallèles pour simplifier l" -"e partage de ces données de recherche. Notez que le terme «&thins" -"p;données » comprend les données brutes et toutes l" -"es données générées au cours de la recherche." - -msgid "" -"

                                                                                  Consider also what file-format you will use" -". Will this file format be useable in the future? Is it proprietary?" -msgstr "" -"

                                                                                  Considérez également le forma" -"t de fichier que vous utiliserez. Ce format de fichier sera-t-il utilisable &a" -"grave; l’avenir? Est-il propriétaire?

                                                                                  " - -msgid "" -"A tool provided by OpenAIRE can help researche" -"rs estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs." -msgstr "" -"L’outil fourni suivant fourni par OpenAI" -"RE peut aider les chercheurs à estimer le coût de la gestion des " -"données de recherche https://www.o" -"penaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien en a" -"nglais)." - -msgid "" -"

                                                                                  Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and how long " -"it should be archived. Decisions should align with Research Ethics Board requi" -"rements. Methods used to share data will be dependent on the type, size, compl" -"exity and degree of sensitivity of data. Outline problems anticipated in shari" -"ng data, along with causes and possible measures to mitigate these. Problems m" -"ay include confidentiality, lack of consent agreements, or concerns about Inte" -"llectual Property Rights, among others.

                                                                                  -\n" -"Reused from: Digital Curation Centre. (2013). " -"Checklist for a Data Management Plan. v.4.0. Restrictions can be imposed by limiting phys" -"ical access to storage devices, placing data on computers with no access to th" -"e Internet, through password protection, and by encrypting files. Sensitive da" -"ta should never be shared via email or cloud storage services such as Dropbox<" -"/span>" -msgstr "" -"

                                                                                  Examinez où, comment et à qui" -" les données sensibles dont la valeur à long terme est reconnue " -"doivent être rendues disponibles, et combien de temps elles doivent &eci" -"rc;tre archivées. Les décisions doivent être conformes aux" -" exigences du comité d’éthique de la recherche. Les m&eacu" -"te;thodes utilisées pour partager les données dépendront " -"du type, de la taille, de la complexité et du degré de sensibili" -"té des données. Décrivez les problèmes prév" -"us liés au partage des données, ainsi que leurs causes et les me" -"sures possibles pour les atténuer. Les problèmes peuvent compren" -"dre, entre autres, la confidentialité, l’absence d’ententes" -" de consentement ou les inquiétudes concernant les droits de propri&eac" -"ute;té intellectuelle. 

                                                                                  -\n" -"

                                                                                  Repris du : Digital Curation Centre (2" -"013). Liste de contrôle pour un plan de gestion " -"de données. v.4.0. Des restr" -"ictions peuvent être imposées en limitant l’accès ph" -"ysique aux dispositifs de stockage, en sauvegardant les données sur des" -" ordinateurs n’ayant pas accès à l’internet ou en pr" -"otégeant les fichiers par un mot de passe et en cryptant ces derniers. " -"Les données sensibles ne doivent jamais être partagées par" -" courrier électronique ou par des services de stockage infonuagiques te" -"ls que Dropbox.

                                                                                  " - -msgid "" -"Obtaining the appropriate consent from researc" -"h participants is an important step in assuring Research Ethics Boards that th" -"e data may be shared with researchers outside your project. The consent statem" -"ent may identify certain conditions clarifying the uses of the data by other r" -"esearchers. For example, it may stipulate that the data will only be shared fo" -"r non-profit research purposes or that the data will not be linked with person" -"ally identified data from other sources. Read more about data security: UK Data Archive" -"." -msgstr "" -"L’obtention du consentement appropri&eac" -"ute; des participants à la recherche est une étape importante po" -"ur garantir aux comités d’éthique de la recherche que les " -"données peuvent être partagées avec des chercheurs en deho" -"rs de votre projet. La déclaration de consentement peut identifier cert" -"aines conditions clarifiant les utilisations des données par d’au" -"tres chercheurs. Par exemple, elle peut stipuler que les données ne ser" -"ont partagées qu’à des fins de recherche sans but lucratif" -" ou que les données ne seront pas liées à des donné" -";es personnelles identificatoires provenant d’autres sources. En savoir " -"plus sur la sécurité des données, consultez le site suiva" -"nt : <" -"span style=\"font-weight: 400;\">UK Data Archive (lien en anglais" -")." - -msgid "" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

                                                                                  -\n" -"

                                                                                  Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

                                                                                  " -msgstr "" -"

                                                                                  Le respect de la législation relativ" -"e à la protection de la vie privée et des lois susceptibles d&rs" -"quo;imposer des restrictions sur le contenu des données doit être" -" discuté avec le responsable de la protection de la vie privée o" -"u le bureau des services de recherche de votre institution. Les comités" -" d’éthique de la recherche sont au cœur du processus de rec" -"herche. 

                                                                                  -\n" -"

                                                                                  Donnez ici une description de la propri&eac" -"ute;té, des licences et des droits de propriété intellect" -"uelle des données. Les conditions de réutilisation doivent &ecir" -"c;tre clairement énoncées, conformément aux exigences jur" -"idiques et éthiques applicables le cas échéant (par exemp" -"le, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" -"Describe the purpose or goal of this project. " -"Is the data collection for a specific study or part of a long-term collection " -"effort? What is the relationship between the data you are collecting and any e" -"xisting data? Note existing data structure and procedures if building on previ" -"ous work." -msgstr "" -"Décrivez le but ou l’objectif de " -"ce projet. La collecte de données est-elle destinée à une" -" étude spécifique ou fait-elle partie d’un effort de colle" -"cte à long terme ? Quelle est la relation entre les donné" -"es que vous collectez et les données existantes ? Notez la struc" -"ture des données et les procédures existantes si vous vous basez" -" sur des travaux antérieurs." - -msgid "" -"Types of data you may create or capture could " -"include: geospatial layers (shapefiles; may include observations, models, remo" -"te sensing, etc.); tabular observational data; field, laboratory, or experimen" -"tal data; numerical model input data and outputs from numerical models; images" -"; photographs; video." -msgstr "" -"Les types de données que vous pouvez cr" -"éer ou saisir peuvent inclure : des couches géospatiales (f" -"ichiers de forme ; par exemple, des observations, des modèles, d" -"e la télédétection, etc.) ; des données d&r" -"squo;observation tabulaires ; des données de terrain, de laborat" -"oire ou d’expérience ; des données d’entr&eac" -"ute;e de modèles numériques et des sorties de modèles num" -"ériques ; des images ; des photographies ; de la v" -"idéo." - -msgid "" -"

                                                                                  Please also describe the tools and methods " -"that you will use to collect or generate the data. Outline the procedures that" -" must be followed when using these tools to ensure consistent data collection " -"or generation. If possible, include any sampling procedures or modelling techn" -"iques you will use to collect or generate your data.

                                                                                  " -msgstr "" -"

                                                                                  Veuillez également décrire le" -"s outils et les méthodes que vous utiliserez pour collecter ou gé" -";nérer les données. Décrivez les procédures qui do" -"ivent être suivies lors de l’utilisation de ces outils afin de gar" -"antir une collecte ou une génération de données coh&eacut" -"e;rente. Si possible, indiquez les procédures d’échantillo" -"nnage ou les techniques de modélisation que vous utiliserez pour collec" -"ter ou générer vos données.

                                                                                  " - -msgid "" -"

                                                                                  Try to use pre-existing collection standard" -"s, such as the CCME’s Proto" -"cols for Water Quality Sampling in Canada, whenever possible. 

                                                                                  -\n" -"

                                                                                  If you will set up monitoring station(s) to" -" continuously collect or sample water quality data, please review resources su" -"ch as the World Meteorological Organization’s tec" -"hnical report on Water Quality Monitoring and CCME’s Pro" -"tocols for Water Quality Guidelines in Canada.

                                                                                  " -msgstr "" -"

                                                                                  Essayez d’utiliser des normes de coll" -"ecte préexistantes telles que les protocole" -"s d’échantillonnage pour l’analyse de qualité de l&r" -"squo;eau au Canada du CCME, dans la" -" mesure du possible. 

                                                                                  \n" -"

                                                                                  Si vous envisagez de mettre en place une st" -"ation ou plusieurs stations de surveillance pour recueillir ou échantil" -"lonner en continu des données sur la qualité de l’eau, veu" -"illez consulter des ressources telles que le Rapport te" -"chnique sur la surveillance de la qualité de l’eau de l’Org" -"anisation météorologique mondiale (lien en anglais) et les Protocoles pour les lignes di" -"rectrices sur qualité de l’eau au Canada du CCME.

                                                                                  " - -msgid "" -"Include full references or links to the data w" -"hen possible. Identify any license or use restrictions and ensure that you und" -"erstand the policies for permitted use, redistribution and derived products." -msgstr "" -"Indiquez des références complètes ou des liens vers les d" -"onnées lorsque cela est possible. Identifiez toute licence ou restricti" -"on d’utilisation et assurez-vous que vous comprenez les politiques relat" -"ives à l’utilisation autorisée, à la redistribution" -" et aux produits dérivés." - -msgid "" -"

                                                                                  Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Data governed by" -" third party agreements, contracts or legislation.
                                                                                  • -\n" -"
                                                                                  • Personal informa" -"tion, health related data, biological samples, etc.
                                                                                  • -\n" -"
                                                                                  • Indigenous knowl" -"edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
                                                                                  • -\n" -"
                                                                                  • Data collected w" -"ith an industry partner.
                                                                                  • -\n" -"
                                                                                  • Location informa" -"tion of species at risk. 
                                                                                  • -\n" -"
                                                                                  • Data collected o" -"n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
                                                                                  • -" -"\n" -"
                                                                                  -\n" -"Additional sensitivity assessment can be made " -"using data classification matrices such as the University of Saskatchewan Data Classification guidance." -msgstr "" -"

                                                                                  Les données sensibles sont des donn&" -"eacute;es qui comportent un certain risque lors de leur collecte. Voici quelqu" -"es exemples de données sensibles :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Données r" -"égies par des ententes, contrats ou législations de tiers.
                                                                                  • -\n" -"
                                                                                  • Renseignements p" -"ersonnels, données relatives à la santé, échantill" -"ons biologiques, etc.
                                                                                  • -\n" -"
                                                                                  • Savoir autochton" -"e et données recueillies auprès des peuples autochtones, des ter" -"res, de l’eau et de la glace des autochtones.
                                                                                  • -\n" -"
                                                                                  • Données c" -"ollectées avec un partenaire industriel.
                                                                                  • -\n" -"
                                                                                  • Information sur " -"l’emplacement des espèces menacées. 
                                                                                  • -\n" -"
                                                                                  • Données c" -"ollectées sur des propriétés privées, par exemple " -"lorsque l’identification de puits contaminés pourrait avoir un im" -"pact sur la valeur des propriétés ou stigmatiser les rési" -"dents ou les propriétaires fonciers.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Une évaluation de sensibilité" -" supplémentaire peut être effectuée en utilisant des matri" -"ces de classification des données telles que les directives de <" -"a href=\"https://www.usask.ca/avp-ict/documents/Data%20Classification%20Summary" -".pdf\">classification des données de l&r" -"squo;Université de Saskatchewan (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Methods used to share data will be dependen" -"t on the type, size, complexity and degree of sensitivity of data. Outline any" -" problems anticipated in sharing data, along with causes and possible measures" -" to mitigate these. Problems may include confidentiality, lack of consent agre" -"ements, or concerns about Intellectual Property Rights, among others. -\n" -"

                                                                                  Decisions should align with Research Ethics" -" Board requirements. If you are collecting water quality data from Indigenous " -"communities, please also review resources such as the Tri-Council Policy State" -"ment (TCPS2) - Chapter 9: Research Involv" -"ing the First Nations, Inuit and Métis Peoples of Canada, the First Nations Principles of OCAP, the CARE Principles of Indigenous Data Governance, the National Inuit Strategy on Research, and Negotiating Research Relationships wi" -"th Inuit Communities as appropriate" -". 

                                                                                  -\n" -"Restrictions can be imposed by limiting physic" -"al access to storage devices, placing data on computers with no access to the " -"Internet, through password protection, and by encrypting files. Sensitive data" -" should never be shared via email or cloud storage services such as Dropbox. R" -"ead more about data security here: UK Data Service. " -msgstr "" -"

                                                                                  Les méthodes utilisées pour p" -"artager les données dépendront du type, de la taille, de la comp" -"lexité et du degré de sensibilité des données. D&e" -"acute;crivez les problèmes prévus dans le partage des donn&eacut" -"e;es, ainsi que leurs causes et les mesures possibles pour les atténuer" -". Les problèmes peuvent inclure, entre autres, la confidentialité" -";, l’absence d’ententes de consentement ou des préoccupatio" -"ns concernant les droits de propriété intellectuelle.

                                                                                  " -" -\n" -"

                                                                                  Les décisions doivent être con" -"formes aux exigences du comité d’éthique de la recherche. " -"Si vous recueillez des données sur la qualité de l’eau aup" -"rès de communautés autochtones, veuillez également consul" -"ter des ressources telles que l’Énoncé de politique des tr" -"ois conseils (EPTC 2) – Chapitre 9 : Recherche impliquant les Premières Nations, les Inuits" -" ou les Métis du Canada, les" -" principes de PCAP des Premières Nations, p" -"rincipes CARE sur la gouvernance des données autochtones (lien en anglais), la Stratégie nationale inuite pour " -"la recherche, et la Négociation des relations p" -"our la recherche avec les communautés inuites (lien en anglais), au besoin. 

                                                                                  -\n" -"

                                                                                  Des restrictions peuvent être impos&e" -"acute;es en limitant l’accès physique aux dispositifs de stockage" -", en plaçant les données sur des ordinateurs n’ayant pas a" -"ccès à l’internet, en protégeant les fichiers par u" -"n mot de passe et en les cryptant. Les données sensibles ne doivent jam" -"ais être partagées par courrier électronique ou par des se" -"rvices de stockage dans le nuage tels que Dropbox. Pour en savoir plus sur la " -"sécurité des données, cliquez ici : Service des données du Royaume-Uni (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and for how l" -"ong it should be archived. If you must restrict some data from sharing, consid" -"er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

                                                                                  -\n" -"

                                                                                  Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of your data by oth" -"er researchers. For example, it may stipulate that the data will only be share" -"d for non-profit research purposes or that the data will not be linked with pe" -"rsonally identified data from other sources. It is important to consider how t" -"he data you are collecting may contribute to future research prior to obtainin" -"g research ethics approval since consent will dictate how the data can be used" -" in the immediate study and in perpetuity.

                                                                                  " -msgstr "" -"

                                                                                  Déterminez où, comment et &ag" -"rave; qui les données sensibles dont la valeur à long terme est " -"reconnue doivent être mises à disposition, et pendant combien de " -"temps elles doivent être archivées. Si vous devez restreindre le " -"partage de certaines données, envisagez de rendre les métadonn&e" -"acute;es (informations sur l’ensemble de données) disponibles dan" -"s un catalogue public de métadonnées.

                                                                                  -\n" -"

                                                                                  L’obtention du consentement appropri&" -"eacute; des participants à la recherche est une étape importante" -" pour prouver aux comités d’éthique de la recherche que le" -"s données peuvent être partagées avec des chercheurs ext&e" -"acute;rieurs à votre projet. La déclaration en matière de" -" consentement peut identifier certaines conditions clarifiant les utilisations" -" de vos données par d’autres chercheurs. Par exemple, elle peut s" -"tipuler que les données ne seront partagées qu’à de" -"s fins de recherche sans but lucratif ou que les données ne seront pas " -"liées à des données personnelles identifiées prove" -"nant d’autres sources. Vous devez considérer comment les donn&eac" -"ute;es que vous collectez peuvent contribuer à des recherches futures a" -"vant d’obtenir l’approbation des comités d’éth" -"ique de la recherche, car le consentement dictera comment les données p" -"euvent être utilisées dans l’étude immédiate " -"et à perpétuité.

                                                                                  " - -msgid "" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

                                                                                  -\n" -"

                                                                                  Describe ownership, licensing, and any inte" -"llectual property rights associated with the data. Check your institution's po" -"licies for additional guidance in these areas. The University of Waterloo has " -"a good example of an institutional policy on Intellectual Property Rights" -".

                                                                                  -\n" -"

                                                                                  Terms of reuse must be clearly stated, in l" -"ine with the relevant legal and ethical requirements where applicable (e.g., s" -"ubject consent, permissions, restrictions, etc.).

                                                                                  " -msgstr "" -"

                                                                                  Le respect de la législation relativ" -"e à la protection de la vie privée et des lois pouvant imposer d" -"es restrictions sur le contenu des données doit être discut&eacut" -"e; avec le responsable de la protection de la vie privée ou le bureau d" -"es services de recherche de votre institution. Les comités d’&eac" -"ute;thique de la recherche sont également au cœur du processus de" -" recherche.

                                                                                  -\n" -"

                                                                                  Décrivez la propriété," -" la licence et tout droit de propriété intellectuelle associ&eac" -"ute; aux données. Consultez les politiques de votre établissemen" -"t pour obtenir des conseils supplémentaires dans ces domaines. L’" -"Université de Waterloo a un bon exemple de politique institutionnelle s" -"ur les droits en matière de propriété intellectuelle" -" (lien en anglais)." -"

                                                                                  -\n" -"

                                                                                  Les conditions de réutilisation doiv" -"ent être clairement énoncées, conformément aux exig" -"ences juridiques et éthiques applicables, le cas échéant " -"(par exemple, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" -======= -msgstr "" -"

                                                                                  Idéalement, une solution doit faciliter la coopération et ass" -"urer la sécurité des données, tout en pouvant être " -"adoptée par les utilisateurs avec un minimum de formation. La transmiss" -"ion des données entre les sites ou au sein des équipes de recher" -"che peut être difficile pour les infrastructures de gestion des donn&eac" -"ute;es. L’utilisation du courrier électronique pour le transfert " -"de données n’est pas une solution robuste ou sûre.
                                                                                  Les services de partage de fichiers commerciaux tiers (tels que Google Dri" -"ve et Dropbox) facilitent l’échange de fichiers, mais ils ne sont" -" pas nécessairement permanents ou sécurisés et ils sont s" -"ouvent situés à l’extérieur du Canada.

                                                                                  " - -msgid "" -"

                                                                                  This estimate should incorporate data manag" -"ement costs incurred during the project as well as those required for ongoing " -"support after the project is finished. Consider costs associated with data pur" -"chase, data curation, and providing long-term access to the data. For ARC proj" -"ects, charges for computing time, also called Service Units (SU), and the cost" -" of specialized or proprietary software should also be taken into consideratio" -"n. 

                                                                                  -\n" -"Some funding agencies state explicitly that th" -"ey will provide support to meet the cost of preparing data for deposit in a re" -"pository. These costs could include: technical aspects of data management, tra" -"ining requirements, file storage & backup, etc. OpenAIRE has a useful tool" -" for Estimating costs for RDM." -msgstr "" -"

                                                                                  Cette estimation doit comporter les co&ucir" -"c;ts de gestion des données encourus pendant le projet ainsi que ceux n" -"écessaires pour le soutien continu après la fin du projet. Tenez" -" compte des coûts liés à l’achat et à la cons" -"ervation des données, ainsi qu’à l’accès &agr" -"ave; long terme aux données. Pour les projets d’informatique de r" -"echerche avancée, prenez aussi en considération les frais de tem" -"ps de calcul, également appelés unités de service (Servic" -"e Units – SU) et le coût des logiciels spécialisés o" -"u propriétaires. 

                                                                                  -\n" -"

                                                                                  Certains organismes de financement dé" -";clarent explicitement qu’ils fourniront une aide pour couvrir le co&uci" -"rc;t de la préparation des données en vue de leur versement dans" -" un dépôt. Ces coûts peuvent inclure les aspects techniques" -" de la gestion des données, les besoins en formation, le stockage et la" -" sauvegarde des fichiers, etc. OpenAIRE dispose d’un outil utile pour l&" -"rsquo;estimation des coûts de GDR (lien en " -"anglais).

                                                                                  " - -msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties." -msgstr "" -"Votre plan de gestion des données spécifie des activités " -"importantes en matière de données dans votre projet. Déte" -"rminez la personne ou l’organisation qui sera responsable de la ré" -";alisation de ces activités de votre plan de gestion des données" -". Indiquez également le calendrier associé à ces responsa" -"bilités du personnel et toute formation nécessaire pour pr&eacut" -"e;parer le personnel à ces tâches." - -msgid "" -"Container solutions, such as docker and singularity, can replicate the exact computational environment for o" -"thers to run. For more information, these Ten Simple Rules for Writing Dockerfiles fo" -"r Reproducible Data Science and Ten Simple Rules for Reproducib" -"le Computational Research may be he" -"lpful." -msgstr "" -"Les solutions par conteneurs, dont docke" -"r et singularity (liens e" -"n anglais), peuvent reproduire l&r" -"squo;environnement de calcul exact pour que d’autres puissent le faire f" -"onctionner. Pour plus d’informations, ces dix règles simples d’&ea" -"cute;criture de fichiers Docker pour des données scientifiques reproduc" -"tibles et dix règles simples pour de la recherche comput" -"ationnelle reproductible (liens en anglais
                                                                                  ) peuvent être utiles." - -msgid "" -"

                                                                                  A computationally reproducible research pac" -"kage will include:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Primary data (and documentation) collected" -" and used in analysis
                                                                                  • -\n" -"
                                                                                  • Secondary data (and documentation) collect" -"ed and used in analysis
                                                                                  • -\n" -"
                                                                                  • Primary data output result(s) (and documen" -"tation) produced by analysis
                                                                                  • -\n" -"
                                                                                  • Secondary data output result(s) (and docum" -"entation) produced by analysis
                                                                                  • -\n" -"
                                                                                  • Software program(s) (and documentation) fo" -"r computing published results
                                                                                  • -\n" -"
                                                                                  • Dependencies for software program(s) for r" -"eplicating published results
                                                                                  • -\n" -"
                                                                                  • Research Software documentation and implem" -"entation details
                                                                                  • -\n" -"
                                                                                  • Computational research workflow and proven" -"ance information
                                                                                  • -\n" -"
                                                                                  • Published article(s) 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  All information above should be accessible " -"to both designated users and reusers. 

                                                                                  -\n" -"

                                                                                  (Re)using code/software requires knowledge " -"of two main aspects at minimum: environment and expected input/output. With su" -"fficient information provided, computational results can be reproduced. Someti" -"mes, a minimum working example will be helpful.

                                                                                  " -msgstr "" -"

                                                                                  Un projet de recherche reproductible par ca" -"lcul comprendra :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Données (" -"et documentation) primaires collectées et utilisées dans l&rsquo" -";analyse ;
                                                                                  • -\n" -"
                                                                                  • Données (" -"et documentation) secondaires collectées et utilisées dans l&rsq" -"uo;analyse ;
                                                                                  • -\n" -"
                                                                                  • Résultats" -" des données primaires (et documentation) produits par l’analyse&" -"thinsp;;
                                                                                  • -\n" -"
                                                                                  • Résultats" -" des données primaires (et documentation) produits par l’analyse&" -"thinsp;; 
                                                                                  • -\n" -"
                                                                                  • Programmes logic" -"iels (et documentation) pour le calcul des résultats publiés&thi" -"nsp;;
                                                                                  • -\n" -"
                                                                                  • Dépendanc" -"es pour les logiciels permettant de reproduire les résultats publi&eacu" -"te;s ;
                                                                                  • -\n" -"
                                                                                  • Documentation et" -" détails de mise en œuvre du logiciel de recherche ;
                                                                                  • -\n" -"
                                                                                  • Flux de recherch" -"e informatique et information sur la provenance ;
                                                                                  • -\n" -"
                                                                                  • Articles publi&e" -"acute;s. 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Toutes les informations ci-dessus doivent &" -"ecirc;tre accessibles à la fois aux utilisateurs et aux réutilis" -"ateurs désignés. 

                                                                                  -\n" -"

                                                                                  L’utilisation et la réutilisat" -"ion de codes ou de logiciels nécessitent la connaissance de deux aspect" -"s principaux au minimum : l’environnement et les entrées ou les s" -"orties attendues. Si les informations fournies sont suffisantes, les ré" -"sultats des calculs peuvent être reproduits. Parfois, un exemple fonctio" -"nnel minimal sera utile.

                                                                                  " - -msgid "" -"Consider where, how, and to whom sensitive data with acknowledged long-term va" -"lue should be made available, and how long it should be archived. Decisions sh" -"ould align with your institutional Research Ethics Board requirements.
                                                                                  <" -"br />Methods used to share data will be dependent on the type, size, complexit" -"y and degree of sensitivity of data. For instance, sensitive data should never" -" be shared via email or cloud storage services such as Dropbox. Outline any pr" -"oblems anticipated in sharing data, along with causes and possible measures to" -" mitigate these. Problems may include: confidentiality, lack of consent agreem" -"ents, or concerns about Intellectual Property Rights, among others." -msgstr "" -"

                                                                                  Considérez où, comment et &ag" -"rave; qui les données sensibles dont la valeur à long terme est " -"reconnue doivent être mises à disposition, et combien de temps el" -"les doivent être archivées. Vos décisions doivent êt" -"re conformes aux exigences du comité d’éthique de la reche" -"rche de votre établissement. 

                                                                                  -\n" -"

                                                                                  Les méthodes utilisées pour p" -"artager les données dépendront du type, de la taille, de la comp" -"lexité et du degré de sensibilité des données. Par" -" exemple, les données sensibles ne doivent jamais être partag&eac" -"ute;es par courrier électronique ou par des services de stockage dans l" -"e nuage tels que Dropbox. Indiquez les problèmes que vous prévoy" -"ez de rencontrer lors du partage de données, ainsi que les causes et le" -"s mesures possibles pour les atténuer. Les problèmes peuvent inc" -"lure : la confidentialité, l’absence d’accords de cons" -"entement ou des préoccupations concernant les droits de propriét" -"é intellectuelle, entre autres.

                                                                                  " - -msgid "" -"

                                                                                  Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring your Research Ethics Board " -"that data may be shared with researchers outside of your project. The consent " -"statement may identify certain conditions clarifying the uses of the data by o" -"ther researchers. For example, it may stipulate that the data will only be sha" -"red for non-profit research purposes or that the data will not be linked with " -"personally identified data from other sources. Read more about data security: " -"UK Data Service.

                                                                                  -\n" -"You may need to anonymize or de-identify your data before you can share it. Read more about these process" -"es at UBC Library , UK Data Service, or
                                                                                  Image Data Sharing for Biomedi" -"cal Research—Meeting HIPAA Requirements for De-identification" -"." -msgstr "" -"

                                                                                  L’obtention du consentement appropri&" -"eacute; des participants à la recherche est une étape importante" -" pour garantir à votre comité d’éthique de la reche" -"rche que les données peuvent être partagées avec des cherc" -"heurs en dehors de votre projet. La déclaration de consentement peut pr" -"éciser les conditions d’utilisation des données par d&rsqu" -"o;autres chercheurs. Par exemple, elle peut stipuler que les données ne" -" seront partagées qu’à des fins de recherche sans but lucr" -"atif ou que les données ne seront pas liées à des donn&ea" -"cute;es personnelles identifiées provenant d’autres sources. Pour" -" en savoir plus sur la sécurité des données, consultez le" -" Service des données du Royaume-Uni (" -"lien en anglais).

                                                                                  -\n" -"

                                                                                  Vous devrez peut-être anony" -"miser ou dépersonnaliser vos" -" données avant de pouvoir les partager. Vous pouvez vous renseigner sur" -" ces processus en consultant les liens suivants : Bibliothèque de l’Université de la C.-B., Service d" -"es données du Royaume-Uni, o" -"u Partage de données d’images pour la recherche biom" -"édicale — satisfaire aux exigences de la HIPAA en matière " -"de dépersonnalisation (liens en anglais).

                                                                                  " - -msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons licenses and the Open Data Commons licenses" -". For most datasets it is easier to" -" use a standard license rather than to devise a custom-made one. Even if you c" -"hoose to make your data part of the public domain, it is preferable to make th" -"is explicit by using a license such as Creative Commons' CC0. More about data " -"licensing: Digital Curation Centre. " -msgstr "" -"Il y a plusieurs types de licences standard &a" -"grave; la disposition des chercheurs telles que les licences Cr" -"eative Commons et les licences Open Data Commons (" -"lien en anglais). Pour la plupart des ensembles de données, il est plus f" -"acile d’utiliser une licence standard plutôt que de concevoir une " -"licence sur mesure. Même si vous choisissez de faire entrer vos donn&eac" -"ute;es dans le domaine public, il est préférable de le faire de " -"manière explicite en utilisant une licence telle que la CCO de Creative" -" Commons. Pour en savoir plus sur les licences, visitez le site du Centre de curation numérique (lien en a" -"nglais). " - -msgid "" -"Licenses stipulate how your data may be used. " -"Funding agencies and/or data repositories may have end-user license requiremen" -"ts in place; if not, they may still be able to guide you in the selection of a" -" license. Once selected, please include a copy of your end-user license with y" -"our Data Management Plan. Note that only the intellectual property rights hold" -"er(s) can issue a license, so it is crucial to clarify who owns those rights. " -"" -msgstr "" -"Les licences stipulent comment vos données peuvent être utilis&ea" -"cute;es. Les organismes de financement ou les dépôts de donn&eacu" -"te;es peuvent avoir des exigences en matière de licences d’utilis" -"ation finale ; autrement, ils peuvent vous guider dans le choix d&rsquo" -";une licence. Une fois que vous avez choisi votre licence, veuillez une copie " -"de votre licence d’utilisation finale avec votre plan de gestion des don" -"nées. Notez que les détenteurs des droits de propriét&eac" -"ute; intellectuelle sont les seuls à pouvoir délivrer une licenc" -"e, il est donc crucial de préciser à qui appartiennent ces droit" -"s." - -msgid "" -"

                                                                                  By providing a licence for your software, y" -"ou grant others certain freedoms, and define what they are allowed to do with " -"your code. Free and open software licences typically allow someone else to use" -", study, improve and share your code. You can licence all the software you wri" -"te, including scripts and macros you develop on proprietary platforms. For mor" -"e information, see Choose an Open Source License or open source licenses options at the Open Source Initiative<" -"/span>.

                                                                                  -\n" -"

                                                                                  Please be aware that software is typically " -"protected by copyright that is often held by the institution rather than the d" -"eveloper. Ensure you understand what rights you have to share your software be" -"fore choosing a license.

                                                                                  " -msgstr "" -"

                                                                                  En fournissant une licence pour votre logic" -"iel, vous accordez aux autres certaines libertés et définissez c" -"e qu’ils sont autorisés à faire avec votre code. Les licen" -"ces de logiciels gratuits en libre accès permettent génér" -"alement à quelqu’un d’autre d’utiliser, d’&eacu" -"te;tudier, d’améliorer et de partager votre code. Vous pouvez acc" -"order une licence pour tous les logiciels que vous écrivez, y compris l" -"es scripts et les macros que vous développez sur des plateformes propri" -"étaires. Pour plus d’informations, consultez le site Choisir une l" -"icence open source ou les options d" -"e licence open source sur le site Initiative open source (liens en " -"anglais).

                                                                                  -\n" -"

                                                                                  Sachez que les logiciels sont gén&ea" -"cute;ralement protégés par un droit d’auteur qui appartien" -"t plus souvent à l’institution qu’au développeur. As" -"surez-vous de bien comprendre les droits dont vous disposez pour partager votr" -"e logiciel avant de choisir une licence.

                                                                                  " - -msgid "" -"

                                                                                  Before you copy, (re-)use, modify, build on" -", or (re-)distribute others’ data and code, or engage in the production " -"of derivatives, be sure to check, read, understand and follow any legal licens" -"ing agreements. The actions you can take, including whether you can publish or" -" redistribute derivative research products, may depend on terms of the origina" -"l license.

                                                                                  -\n" -"

                                                                                  If your research data and/or software are b" -"uilt upon others’ data and software publications, it is good practice to" -" acknowledge and cite the corresponding data and software you use in the same " -"fashion as you cite papers to both identify the software and to give credit to" -" its developers. Some good resources for developing citations are the <" -"a href=\"https://peerj.com/articles/cs-86/\">Sof" -"tware Citation Principles (Smith et al., 2016), DataCite - Cite Your Data, and Out of Cite, Out of M" -"ind: The Current State of Practice, Policy, and Technology for the Citation of" -" Data.

                                                                                  -\n" -"

                                                                                  Compliance with privacy legislation and law" -"s that may restrict the sharing of some data should be discussed with your ins" -"titution's privacy officer or data librarian, if possible. Research Ethics Boa" -"rds are also central to the research process and a valuable resource. Include " -"in your documentation a description concerning ownership, licensing, and intel" -"lectual property rights of the data. Terms of reuse must be clearly stated, in" -" line with the relevant legal and ethical requirements where applicable (e.g.," -" subject consent, permissions, restrictions, etc.).

                                                                                  " -msgstr "" -"

                                                                                  Avant de copier, utiliser, réutilise" -"r, modifier, développer, distribuer ou redistribuer les données " -"et le code d’autrui, ou de vous engager dans la production de produits d" -"érivés, assurez-vous de vérifier, de lire, de comprendre " -"et de respecter tout accord de licence légal. Les mesures que vous pouv" -"ez prendre, y compris la publication ou la redistribution de produits de reche" -"rche dérivés, peuvent dépendre des conditions de la licen" -"ce d’origine.

                                                                                  -\n" -"

                                                                                  Si vos données ou logiciels de reche" -"rche sont basés sur des données et des logiciels publiés " -"par d’autrui, il est bon de reconnaître et de citer les donn&eacut" -"e;es et logiciels correspondants que vous utilisez de la même mani&egrav" -"e;re que vous citez des articles, à la fois pour identifier le logiciel" -" et pour donner le mérite à ses développeurs. Voici quelq" -"ues bonnes ressources pour l’élaboration de citations : Principes de citation de logiciel (Smith et col., 2016), DataCite — citez vos données, et Out of Cite, Out of Mind: l’état actuel des pratiques, politi" -"ques et technologies de citation des données (liens en anglais<" -"/span>).

                                                                                  -\n" -"

                                                                                  Discutez du respect des lois sur la protect" -"ion de la vie privée susceptibles de restreindre le partage de certaine" -"s données avec le responsable de la protection de la vie privée " -"ou le bibliothécaire des données de votre institution, si possib" -"le. Les comités d’éthique de la recherche sont égal" -"ement au cœur du processus de recherche et constituent une ressource pr&" -"eacute;cieuse. Dans votre documentation, précisez la propriét&ea" -"cute;, la licence et les droits de propriété intellectuelle des " -"données. Les conditions de réutilisation doivent être clai" -"rement énoncées, conformément aux exigences juridiques et" -" éthiques applicables le cas échéant (par exemple, consen" -"tement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" -"

                                                                                  One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. The Digital Curation Centre provides a detailed guide on data citation. You may also wish to consult the DataCite citation recommen" -"dations

                                                                                  -\n" -"

                                                                                  Some repositories also create links from da" -"tasets to their associated papers, increasing the visibility of the publicatio" -"ns. If possible, cross-reference or link out to all publications, code and dat" -"a. Choose a repository that will assign a persistent identifier (such as a DOI" -") to your dataset to ensure stable access to the dataset.

                                                                                  -\n" -"Other sharing possibilities include: data regi" -"stries, indexes, word-of-mouth, and publications. For more information, see Key Elements to Consider in Preparin" -"g a Data Sharing Plan Under NIH Extramural Support." -msgstr "" -"

                                                                                  L’un des meilleurs moyens de diriger " -"d’autres chercheurs à vos ensembles de données dépo" -"sés est de les citer de la même manière que vous citez d&r" -"squo;autres types de publications. Le Centre de conservation numérique " -"fournit un guide sur la citation des données" -" (lien en anglais). Vous p" -"ouvez aussi consulter les recommandations en matière de cit" -"ation de DataCite (lien en anglais). 

                                                                                  -\n" -"

                                                                                  Certains dépôts créent " -"également des liens entre les ensembles de données et les docume" -"nts qui leur sont associés, ce qui augmente la visibilité des pu" -"blications. Si possible, faites des références croisées o" -"u créez des liens vers toutes les publications, codes et données" -". Choisissez un référentiel qui attribuera un identifiant perman" -"ent (tel qu’un identifiant numérique d’objet) à votr" -"e ensemble de données afin de garantir un accès stable à " -"l’ensemble de données.

                                                                                  -\n" -"

                                                                                  D’autres possibilités de parta" -"ge comprennent : les registres de données, les index, le bouche-&a" -"grave;-oreille et les publications. Pour plus d’informations, consultez " -"les Éléments cl&eacu" -"te;s à prendre en compte dans l’élaboration d’un pla" -"n de partage des données avec le soutien en dehors des INS (lie" -"n en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Consider which data are necessary to validate (support or verify) your research findi" -"ngs, and which must be shared to meet institutional or funding requirements. T" -"his may include data and code used in analyses or to create charts, figures, i" -"mages, etc. Certain data may need to be restricted because of confidentiality," -" privacy, or intellectual property considerations and should be described belo" -"w.

                                                                                  -\n" -"Wherever possible, share your data in preserva" -"tion-friendly file formats. Some data formats are optimal for the long-term pr" -"eservation of data. For example, non-proprietary file formats, such as text ('" -".txt') and comma-separated ('.csv'), are considered preservation-friendly. The" -" UK Data Service provides a useful table of file formats for various ty" -"pes of data. Keep in mind that preservation-friendly files converted from one " -"format to another may lose information (e.g. converting from an uncompressed T" -"IFF file to a compressed JPG file), so changes to file formats should be docum" -"ented. " -msgstr "" -"

                                                                                  Examinez quelles données sont n&eacu" -"te;cessaires pour valider (soutenir ou vérifier; lien en anglais)" -" vos résultats de recherche, et lesquelles doivent être partag&ea" -"cute;es pour répondre aux exigences de l’établissement ou " -"du financement. Il peut s’agir de données et de codes utilis&eacu" -"te;s dans des analyses ou pour créer des graphiques, des figures, des i" -"mages, etc. Certaines données peuvent devoir être restreintes pou" -"r des raisons de confidentialité, de respect de la vie privée ou" -" de propriété intellectuelle et doivent être décrit" -"es ci-dessous.

                                                                                  -\n" -"

                                                                                  Dans la mesure du possible, partagez vos do" -"nnées dans des formats de fichiers faciles à conserver. Certains" -" formats de données sont optimaux pour la conservation à long te" -"rme des données. Par exemple, les formats de fichiers non proprié" -";taires, tels que le texte ('.txt') et les fichiers séparés par " -"des virgules ('.csv'), sont considérés comme faciles à co" -"nserver. Le Service des donné" -"es du Royaume-Uni (lien en anglais) fournit un tableau utile des formats de fichiers pour différe" -"nts types de données. Sachez que les fichiers faciles à conserve" -"r convertis d’un format à un autre peuvent perdre des information" -"s (par exemple, la conversion d’un fichier TIFF non compressé en " -"un fichier JPG compressé), et que les modifications apportées au" -"x formats de fichiers doivent donc être documentées.

                                                                                  " - -msgid "" -"

                                                                                  Data retention should be considered early i" -"n the research lifecycle. Data-retention decisions can be driven by external p" -"olicies (e.g. funding agencies, journal publishers), or by an understanding of" -" the enduring value of a given set of data. The need to preserve data in the s" -"hort-term (i.e. for peer-verification purposes) or long-term (for data of last" -"ing value), will influence the choice of data repository or archive. A helpful" -" analogy is to think of creating a 'living will' for the data, that is, a plan" -" describing how future researchers will have continued access to the data.&nbs" -"p;

                                                                                  -\n" -"It is important to verify whether or not the d" -"ata repository you have selected will support the terms of use or licenses you" -" wish to apply to your data and code. Consult the repository’s own terms" -" of use and preservation policies for more information. For help finding an ap" -"propriate repository, contact your institution’s library or reach out to" -" the Portage DMP Coordinator at sup" -"port@portagenetwork.ca. " -msgstr "" -"

                                                                                  La rétention des données doit" -" être envisagée dès le début du cycle de vie de la " -"recherche. Les décisions relatives à la rétention des don" -"nées peuvent être dictées par des politiques externes (par" -" exemple, les organismes de financement, les éditeurs de revues) ou par" -" la compréhension de la valeur durable d’un ensemble de donn&eacu" -"te;es donné. La nécessité de conserver les données" -" à court terme (c’est-à-dire à des fins de vé" -";rification par les pairs) ou à long terme (pour les données aya" -"nt une valeur durable), influencera le choix du dépôt ou de l&rsq" -"uo;archive de données. Une analogie pertinente serait la créatio" -"n d’un \"testament biologique\" pour les données, c’est-&agra" -"ve;-dire un plan décrivant comment les futurs chercheurs auront un acc&" -"egrave;s continu aux données. 

                                                                                  -\n" -"

                                                                                  Il est important de vérifier si le d" -"épôt de données que vous avez sélectionné su" -"pportera ou non les conditions d’utilisation ou les licences que vous so" -"uhaitez appliquer à vos données et à votre code. Pour plu" -"s d’informations, consultez les conditions d’utilisation et les po" -"litiques de conservation du dépôt. Pour trouver un dép&oci" -"rc;t approprié, communiquez avec la bibliothèque de votre instit" -"ution ou le Coordonnateur de la PGD de Portage à l’adresse su" -"pport@portagenetwork.ca. " - -msgid "" -"The general-purpose repositories for data shar" -"ing in Canada are the Federated Research Data Repository (FRDR) and Scholars Portal Dataverse<" -"/a>. You can search for discipline-specific re" -"positories on re3data.org or by using " -"DataCite's Repository Finder tool. " -msgstr "" -"Les dépôts à usage g&eacut" -"e;néral pour le partage des données au Canada sont le Dépôt fédéré de données de recherch" -"e et Scholars Portal D" -"ataverse. Vous pouvez rechercher de" -"s dépôts spécifiques à une discipline sur re3data.org<" -"/a> utilisant l’outil de rep&e" -"acute;rage de dépôt de DataCite (liens en anglais<" -"/em>). " - -msgid "" -"

                                                                                  Making the software (or source code) you de" -"veloped accessible is essential for others to understand your work. It allows " -"others to check for errors in the software, to reproduce your work, and ultima" -"tely, to build upon your work. Consider using a code-sharing platform such as " -"GitHub Bitbucket, or GitLab. If you would like to archive your code and recei" -"ve a DOI, " -"GitHub is integrated with Zenodo as a repository option. 

                                                                                  -\n" -"

                                                                                  At a minimum, if using third-party software" -" (proprietary or otherwise), researchers should share and make available the s" -"ource code (e.g., analysis scripts) used for analysis (even if they do not hav" -"e the intellectual property rights to share the software platform or applicati" -"on itself).

                                                                                  " -msgstr "" -"

                                                                                  Vous devez rendre accessible le logiciel (o" -"u le code source) que vous avez développé pour que les autres pu" -"issent comprendre votre travail. Vous permettrez ainsi aux autres de vé" -"rifier les erreurs du logiciel, de reproduire votre travail et, en fin de comp" -"te, de s’appuyer sur votre travail. Envisagez d’utiliser une plate" -"forme de partage de code comme GitHub, Bitb" -"ucket ou GitLab (liens en angl" -"ais). Si vous souhaitez archiver v" -"otre code et obtenir un identifiant numérique d’objet, GitHub est intégré à Zenodo (lien en " -"anglais) en tant qu’option d" -"e dépôt. 

                                                                                  -\n" -"

                                                                                  Lorsque les chercheurs utilisent un logicie" -"l tiers (propriétaire ou autre), ils devraient au moins partager et ren" -"dre disponible le code source (par exemple, les scripts d’analyse) utili" -"sé pour l’analyse (même s’ils n’ont pas les dro" -"its de propriété intellectuelle pour partager la plateforme ou l" -"’application logicielle elle-même).

                                                                                  " - -msgid "" -"After the software has been delivered, used an" -"d recognized by a sufficiently large group of users, will you allocate both hu" -"man and financial resources to support the regular maintenance of the software" -", for activities such as debugging, continuous improvement, documentation and " -"training?" -msgstr "" -"Après la livraison, l’utilisation" -" et la reconnaissance du logiciel par un groupe d’utilisateurs suffisamm" -"ent important, allouerez-vous des ressources humaines et financières po" -"ur assurer la maintenance régulière du logiciel pour des activit" -"és telles que le débogage, l’amélioration continue," -" la documentation et la formation ?" - -msgid "" -"A classification system is a useful tool, especially if you work with ori" -"ginal manuscripts or non-digital objects (for example, manuscripts in binders)" -". Provide the description of your classification system in this plan or provid" -"e reference to the documents containing it." -msgstr "" -"Un syst&" -"egrave;me de classification est un " -"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " -"des objets non-numériques (par exemple, des manuscrits dans des classeu" -"rs). Fournir la description de votre système de classification dans ce " -"plan ou fournir la référence aux documents contenant celle-ci. <" -"/span>" - -msgid "" -"Naming conventions should be developed. Provide the description of your naming" -" and versioning procedure in this plan or provide reference to documents conta" -"ining it. Read more about file naming and version control at UK Data Service
                                                                                  ." -msgstr "" -"Des règles de nommage devraient ê" -"tre développées. Fournir la description de votre procédur" -"e de nommage et de versionnage dans ce plan ou fournir la référe" -"nce aux documents contenant celle-ci. Lire davantage sur le nommage de fichier" -"s et le contrôle des versions à UK Data Service (lien en anglais
                                                                                  )." - -msgid "" -"

                                                                                  Elements to consider in contextualizing res" -"earch data: methodologies, definitions of variables or analysis categories, sp" -"ecific classification systems, assumptions, code tree, analyses performed, ter" -"minological evolution of a concept, staff members who worked on the data and t" -"asks performed, etc. 

                                                                                  -\n" -"

                                                                                  To ensure a verifiable historical interpret" -"ation and the lowest possible bias in the possible reuse of the data, try to i" -"dentify elements of implicit knowledge or that involve direct communication wi" -"th the principal investigator.

                                                                                  " -msgstr "" -"

                                                                                  Éléments à considérer pour contextualiser le ma" -"tériel de recherche : méthodologies utilisées, déf" -"initions des variables ou des catégories d’analyse, systèm" -"es de classification particulier, suppositions émises, arbre de codage," -" analyses effectuées, évolution terminologique d’un concep" -"t, personnel ayant travaillé sur le matériel et tâches r&e" -"acute;alisées, etc.

                                                                                  Pour assurer une interprétation " -"historique vérifiable et le moins biaisée possible lors d’" -"une éventuelle réutilisation des données, tenter d’" -"identifier les éléments de connaissances tacites ou qui implique" -"nt une communication directe avec le chercheur principal.

                                                                                  " - -msgid "" -"Consider the total volume of storage space exp" -"ected for each media containing these files. If applicable, include hardware c" -"osts in the funding request. Include this information in the Responsibilities and Resources section as well." -msgstr "" -"Considérer le volume total de l’e" -"space de stockage anticipé pour chaque support contenant les fichiers m" -"entionnés. Le cas échéant, inclure le coût pour l&r" -"squo;achat de matériel informatique dans la demande de financement. Int" -"égrer aussi cette information dans la section Responsabilités et ressources." - -msgid "" -"

                                                                                  For long-term preservation, you may wish to" -" consider CoreTrustSeal certified repositories found in this directory" -". However, as many repositories may be in the process of being certified and a" -"re not yet listed in this directory, reviewing the retention policy of a repos" -"itory of interest will increase your options. For repositories without certifi" -"cation, you can evaluate their quality by comparing their policies to the stan" -"dards of a certification. Read more on trusted data repositories at The University of Edin" -"burgh and OpenAIRE.

                                                                                  -\n" -"

                                                                                  To increase the visibility of research data" -", opt for disciplinary repositories: search by discipline in re3data.org.

                                                                                  -\n" -"

                                                                                  For solutions governed by Canadian legislat" -"ion, it is possible to browse by country of origin in re3data.org. In addition" -", Canada’s digital research infrastructure offers the Federated Research" -" Data Repository (FRDR). Finally," -" it is quite possible that your institution has its own research data reposito" -"ry.

                                                                                  -\n" -"

                                                                                  To make sure the selected repository meets " -"the requirements of your DMP, feel free to seek advice from a resource person or contact the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" - -msgid "" -"

                                                                                  Preparing research data for eventual preser" -"vation involves different tasks that may have costs that are budgeted for pref" -"erably in the funding application. This could require a cost model or simply t" -"he basic sections of the UK Data Service Costing T" -"ool.

                                                                                  -\n" -"

                                                                                  Include this cost estimate in the Responsibilities and Resources section.

                                                                                  -\n" -"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuel conservation implique une variét&ea" -"cute; de tâches pouvant présenter des coûts qu’il est" -" préférable de budgétiser dans la demande de financement." -" À cette fin, un mo" -"dèle de coûts peut-&ec" -"irc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If applicable, retrieve written consent from an institution's ethics approv" -"al process. If the research involves human participants, verify that the conte" -"nt of the various sections of this DMP is consistent with the consent form sig" -"ned by the participants.

                                                                                  -\n" -"

                                                                                  Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. <" -"span style=\"font-weight: 400;\">Read more about data security at UK Data Service." -"

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, obtenir le co" -"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" -"

                                                                                  Si la recherche implique des participants h" -"umains, vérifier que le contenu des diverses sections de ce PGD est con" -"forme au formulaire de consentement signé par les participants.<" -"/p>\n" -"

                                                                                  Décrire les problèmes pr&eacu" -"te;vus en matière de partage des données au sein de l’&eac" -"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" -"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or Réseau P" -"ortage.

                                                                                  -\n" -"

                                                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                                                  -\n" -"

                                                                                  Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, portez une at" -"tention particulière à l’adéquation du contenu de l" -"a section Partage et réutili" -"sation avec les formulaires de con" -"sentement signés par les participants. L’anonymisation des donn&e" -"acute;es peut rassurer les participants tout en favorisant le développe" -"ment d’une culture du partage des données. En savoir plus sur l&r" -"squo;anonymisation: UBC Library, UK Data Service" -" (liens en anglais), ou le" -" Réseau Portage. <" -"/span>

                                                                                  -\n" -"

                                                                                  Vérifier aussi que même les m&" -"eacute;tadonnées ne véhiculent pas des données sensibles." -"

                                                                                  -\n" -"

                                                                                  Expliquer comment seront traitées le" -"s demandes d’accès au matériel de recherche contenant des " -"données sensibles. Sous quelles conditions l’accès est-il " -"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" -"tre fournies aux demandeurs?

                                                                                  " - -msgid "" -"

                                                                                  Describe the allocation of copyrights between members of the research team " -"and external copyright holders (include libraries, archives and museums). Veri" -"fy that the licenses to use the research materials identified in the Shari" -"ng and Reuse section are consistent with the description in this section." -"

                                                                                  -\n" -"

                                                                                  If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person.

                                                                                  " -msgstr "" -"

                                                                                  Décrire la répartition des dr" -"oits entre les membres de l’équipe de recherche et des dét" -"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" -"cute;es). Vérifier que les licences d’utilisation du matér" -"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." -"

                                                                                  -\n" -"

                                                                                  Si des activités commerciales se joi" -"gnent à votre projet de recherche, des aspects légaux sont &agra" -"ve; considérer quant à la protection des renseignements priv&eac" -"ute;s. La conformité aux lois su" -"r la protection des renseignements personnels et à la pr" -"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" -"stion peut être discutée avec une personne ressource<" -"span style=\"font-weight: 400;\">.

                                                                                  " - -msgid "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." -msgstr "" -"Exemple : Signalement dans un" -" dépôt de données de reconnu, attribution d’un ident" -"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" -"), signalement dans les listes de diffusion et" -" réseaux sociaux." - -msgid "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" -"cute;cupérable par d’autres outils et le citer dans les publicati" -"ons savantes, publication d’un article de données dans une revue " -"en libre accès comme Research Data Jour" -"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If the DMP is at the funding application st" -"age, focus on cost-incurring activities in order to budget as accurately as po" -"ssible research data management in the funding application.

                                                                                  -\n" -"

                                                                                  Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                                                                  " -msgstr "" -"

                                                                                  Si le PGD est à l’étape" -" d’accompagnement d’une subvention, documenter en priorité " -"les tâches associées à des coûts afin de budgé" -";tiser le plus précisément possible la gestion des donnée" -"s de recherche avec la demande de financement.

                                                                                  -\n" -"

                                                                                  Suggestion de tâches à documen" -"ter : Rédaction et mise à jour du PGD, Rédaction des" -" procédure de gestion documentaire (règle de nommage, copies de " -"sécurité...), Suivi de la mise en application des procédu" -"res de gestion documentaire, Conduite du processus d’assurance qualit&ea" -"cute;, Conception et mise à jour du plan de relève, Rédac" -"tion de la documentation, Évaluation de la durée de conservation" -", Évaluation des coûts de gestion des données, Gestion des" -" données sensibles, Gestion des licences et propriété int" -"ellectuelle, Choix du lieu de dépôt final des données, Pr&" -"eacute;paration du matériel de recherche pour le dépôt fin" -"al.

                                                                                  " - -msgid "" -"Taking into account all the aspects in the pre" -"vious sections, estimate the overall cost of implementing the data management " -"plan. Consider both the management activities required during the active phase" -" of the project and the preservation phase. Some of these costs may be covered" -" by funding agencies." -msgstr "" -"Considérant la réflexion faite d" -"ans les sections précédentes, estimer le coût total pour a" -"ssurer l’application du plan de gestion des données. Tenir compte" -" autant des activités de gestion requises pendant la phase active du pr" -"ojet que pour la phase de conservation. Une partie de ces coûts pourraie" -"nt être couverts par le financement octroyé par des organismes su" -"bventionnaires." - -msgid "" -"A clas" -"sification system is a useful tool," -" especially if you work with original manuscripts or non-digital objects (for " -"example, manuscripts in binders). Provide the description of your classificati" -"on system in this plan or provide reference to the documents containing it. " -msgstr "" -"Un syst&" -"egrave;me de classification est un " -"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " -"des objets non-numériques (par exemple, des manuscrits dans des classeu" -"rs). Fournir la description de votre système de classification dans ce " -"plan ou fournir la référence aux documents contenant celle-ci. <" -"/span>" - -msgid "" -"

                                                                                  Naming conventions should be developed. Pro" -"vide the description of your naming and versioning procedure in this plan or p" -"rovide reference to documents containing it. Read more about file naming and v" -"ersion control at UK Data Service" -".

                                                                                  " -msgstr "" -"

                                                                                  Fournir la description de votre procé" -";dure de nommage et de versionnage dans ce plan ou fournir la réf&eacut" -"e;rence aux documents contenant celle-ci. Lire davantage sur le nommage de fichiers et le contrôle des ver" -"sions : UK Data Service (" -"lien en anglais). 

                                                                                  " - -msgid "" -"e.g. fi" -"eld notebook, information log, committee implementation, tools such as " -"OpenRefine or " -"QAMyData; consistency with standard" -"s. " -msgstr "" -"Ex. : carnet de terrain, tenu d’un journ" -"al, mise en place d’un comité, utilisation d’outils comme <" -"a href=\"https://openrefine.org/\">OpenRefine ou QAMyData (liens en anglai" -"s); correspondance avec des normes. " - -msgid "" -"You may want to systematically include a documentation section in project prog" -"ress reports or link quality assurance activities to the documentation. It is " -"good practice to ensure that data management is included in the tasks of desig" -"nated individuals." -msgstr "" -"Vous voulez peut-être inclure syst&eacut" -"e;matiquement une section documentation dans les rapports d’étape" -" du projet ou liez les activités d’assurance qualité &agra" -"ve; la documentation. Il s’agit d’une bonne pratique d’assur" -"er la gestion des données est incluse dans les tâches de personne" -"s désignées. " - -msgid "" -"

                                                                                  A metadata schema is very useful to systematize the description of rese" -"arch material while making it readable by computers, thus contributing to a be" -"tter dissemination of this material (e.g.: see R&ea" -"cute;seau Info-Musée [link in French] or Cataloging Cultura" -"l Objects). However, their use may result in a loss of information on prov" -"enance or contextualization, so ensure that this documentation is present else" -"where.

                                                                                  -\n" -"

                                                                                  Resource for exploring and identifying meta" -"data schemas that may be helpful: RDA Metadata Directory.

                                                                                  -\n" -"

                                                                                  Resources for exploring controlled vocabula" -"ries: CIDOC/ICOM Conceptual Reference Mode" -"l, Linked Open Vocabulari" -"es. If needed, contact a DMP resource person at your institution" -".

                                                                                  " -msgstr "" -"

                                                                                  Un s" -"chéma de métadonnées (lien en anglais) est très utile pour syst&eac" -"ute;matiser la description du matériel de recherche tout en la rendant " -"lisible par les ordinateurs, contribuant ainsi à une meilleure diffusio" -"n de ce matériel (ex. : voir Réseau Info-Musée ou Cataloging Cultural Objec" -"ts [lien en anglais]). Leu" -"r utilisation peut toutefois entraîner une perte d’information sur" -" la provenance ou la contextualisation, donc s’assurer que cette documen" -"tation est présente ailleurs.

                                                                                  -\n" -"

                                                                                  Ressource pour explorer et identifier des s" -"chémas de métadonnées qui pourraient vous être util" -"es : RDA Metadata Directory (lien en anglais). 

                                                                                  -\n" -"

                                                                                  Ressources pour explorer des vocabulaires c" -"ontrôlés : Conceptual Reference Model du CIDOC / ICOM, Linked Open Vocabularies (lien" -"s en anglais). Au besoin, communiq" -"uer avec une personne ressource.

                                                                                  " - -msgid "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  La préparation du matériel de" -" recherche pour son éventuelle conservation implique une variét&" -"eacute; de tâches pouvant présenter des coûts qu’il e" -"st préférable de budgétiser dans la demande de financemen" -"t. À cette fin, un " -"modèle de coûts peut-&" -"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" -"liens en anglais).

                                                                                  -\n" -"

                                                                                  Intégrer cette estimation de co&ucir" -"c;t dans la section Responsabilit&e" -"acute;s et ressources.

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  If applicable, retrieve written consent fro" -"m an institution's ethics approval process. If the research involves human par" -"ticipants, verify that the content of the various sections of this DMP is cons" -"istent with the consent form signed by the participants.

                                                                                  -\n" -"

                                                                                  Describes anticipated data sharing issues w" -"ithin the team, their causes, and possible measures to mitigate them. Read mor" -"e about data security at UK Data Service<" -"span style=\"font-weight: 400;\">.

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, obtenir le co" -"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" -"

                                                                                  Si la recherche implique des participants h" -"umains, vérifier que le contenu des diverses sections de ce PGD est con" -"forme au formulaire de consentement signé par les participants.<" -"/p>\n" -"

                                                                                  Décrire les problèmes pr&eacu" -"te;vus en matière de partage des données au sein de l’&eac" -"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" -"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  If applicable, pay close attention to the a" -"ppropriateness of the content in the Sharing and Reuse section with t" -"he consent forms signed by participants. Anonymizing data can reassure partici" -"pants while supporting the development of a data sharing culture. Learn more a" -"bout anonymization: UBC Library, UK Data Service, or the Portage Network.

                                                                                  -\n" -"

                                                                                  Also make sure that metadata does not discl" -"ose sensitive data.

                                                                                  -\n" -"

                                                                                  Explain how access requests to research dat" -"a containing sensitive data will be managed. What are the access conditions? W" -"ho will monitor these requests? What explanations should be provided to applic" -"ants?

                                                                                  " -msgstr "" -"

                                                                                  Le cas échéant, portez une at" -"tention particulière à l’adéquation du contenu de l" -"a section Partage avec les formulaires de consentement signés " -"par les participants. L’anonymisation des données peut rassurer l" -"es participants tout en favorisant le développement d’une culture" -" du partage des données. En savoir plus sur l’anonymisation: UBC Library, UK Data Service (liens en angla" -"is), ou le Réseau" -" Portage

                                                                                  -\n" -"

                                                                                  Vérifier aussi que même les m&" -"eacute;tadonnées ne véhiculent pas des données sensibles." -"

                                                                                  -\n" -"

                                                                                  Expliquer comment seront traitées le" -"s demandes d’accès au matériel de recherche contenant des " -"données sensibles. Sous quelles conditions l’accès est-il " -"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" -"tre fournies aux demandeurs?

                                                                                  " - -msgid "" -"

                                                                                  Describe the allocation of copyrights betwe" -"en members of the research team and external copyright holders (include librar" -"ies, archives and museums). Verify that the licenses to use the research mater" -"ials identified in the Sharing and " -"Reuse section are consistent with " -"the description in this section.

                                                                                  -\n" -"

                                                                                  If commercial activities are involved in yo" -"ur research project, there are legal aspects to consider regarding the protect" -"ion of private information. Compliance with privacy laws and intellectual property legislation" -" may impose data access restriction" -"s. This issue can be discussed with a resource person." -msgstr "" -"

                                                                                  Décrire la répartition des dr" -"oits entre les membres de l’équipe de recherche et des dét" -"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" -"cute;es). Vérifier que les licences d’utilisation du matér" -"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." -"

                                                                                  -\n" -"

                                                                                  Si des activités commerciales se joi" -"gnent à votre projet de recherche, des aspects légaux sont &agra" -"ve; considérer quant à la protection des renseignements priv&eac" -"ute;s. La conformité aux lois su" -"r la protection des renseignements personnels et à la pr" -"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" -"stion peut être discutée avec une personne ressource<" -"span style=\"font-weight: 400;\">.

                                                                                  " - -msgid "" -"Example: Reporting in a recognized data repository, attributi" -"on of a perennial identifier such as DOI (see the FREYA proje" -"ct guide), reporting in mailing lists and social networks." -msgstr "" -"Exemple : Signalement dans un dé" -";pôt de données de reconnu, attribution d’un identifiant p&" -"eacute;renne comme DOI (voir le guide du projet FREYA; lien en anglais), signalement dans les listes de diffusion et ré" -"seaux sociaux." - -msgid "" -"

                                                                                  To optimize the dissemination of research material, follow the FAIR princip" -"les as much as possible. The Australian Research Data Commons" -" offers an easy-to-use tool for assessing compliance with these principles" -". The Digita" -"l Curation Centre provides a detailed guide to data citation (both digital" -" and physical).

                                                                                  -\n" -"

                                                                                  To make the material retrievable by other tools and to cite it in scholarly" -" publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" -"ial Sciences.

                                                                                  -\n" -"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " -msgstr "" -"

                                                                                  Pour optimiser la diffusion du matér" -"iel de recherche, suivre le plus possible les principes FAIR. L’<" -"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" -"sessment-tool/\">Australian Research Data Commo" -"ns offre un outil d’év" -"aluation du respect de ces principes qui est très facile d'utilisation " -"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" -" (tant numériques que physiq" -"ues; lien en anglais).

                                                                                  -\n" -"

                                                                                  Pour rendre le matériel récup" -"érable par d’autres outils et le citer dans les publications sava" -"ntes, publication d’un article de données dans une revue en libre" -" accès comme Research Data Journal for the Humanities and Social Sciences (lien en anglais).

                                                                                  -" -"\n" -"

                                                                                  Consulter au besoin une personne ressource" -" ou contactez le Coordonnateur du P" -"GD à support@portagenetwork.ca.

                                                                                  " - -msgid "" -"

                                                                                  Activities that should be documented: draft" -"ing and updating the DMP; drafting document management procedures (naming rule" -"s, backup copies, etc.); monitoring document management procedure implementati" -"on; conducting the quality assurance process; designing and updating the succe" -"ssion plan; drafting the documentation; assessing the retention period; assess" -"ing data management costs; managing sensitive data; managing licences and inte" -"llectual property; choosing the final data repository location; and preparing " -"research data for the final repository.

                                                                                  " -msgstr "" -"

                                                                                  Suggestion de tâches à documenter : Rédaction et mise &" -"agrave; jour du PGD, Rédaction des procédure de gestion document" -"aire (règle de nommage, copies de sécurité...), Suivi de " -"la mise en application des procédures de gestion documentaire, Conduite" -" du processus d’assurance qualité, Conception et mise à jo" -"ur du plan de relève, Rédaction de la documentation, Éval" -"uation de la durée de conservation, Évaluation des coûts d" -"e gestion des données, Gestion des données sensibles, Gestion de" -"s licences et propriété intellectuelle, Choix du lieu de d&eacut" -"e;pôt final des données, Préparation du matériel de" -" recherche pour le dépôt final.

                                                                                  " - -msgid "" -"Describe the process to be followed, the actio" -"ns to be taken, and the avenues to be considered to ensure ongoing data manage" -"ment if significant changes occur. Here are possible events to consider: a pri" -"ncipal investigator is replaced, a person designated in the assignment table c" -"hanges, a student who has finished their project related to research data in t" -"his DMP leaves." -msgstr "" -"Indiquer les procédures à suivre, les actions à poser, le" -"s pistes à considérer pour assurer la poursuite de la gestion de" -"s données si des changements notables se présentent. Exemple d&r" -"squo;événements à considérer : remplacement de che" -"rcheur principal, changement de responsable désigné dans le tabl" -"eau des tâches, départ d’un étudiant ayant fini son " -"projet associé au matériel de recherche concerné dans ce " -"PGD." - -msgid "" -"The data source(s) for this project is/are the" -" <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" -"urrent version(s) is/are: <<Record number>>." -msgstr "" -"

                                                                                  Les sources de données pour ce proje" -"t sont <<INSCRIRE LE NOM DES ÉTUDES/DOSSIERS ADMINISTRATIFS APPRO" -"UVÉS>>. Les versions actuelles sont : <<Numéro " -"d’enregistrement>>.

                                                                                  " - -msgid "" -"The record number is available on Statistics C" -"anada's website which can be accessed directly, or through our website: crdcn.org/dat" -"a. E.g. Aboriginal People's Survey " -"2017 Record number:3250 https://w" -"ww23.statcan.gc.ca/imdb/p2SV.pl?Function=getSurvey&SDDS=3250" -msgstr "" -"Le numéro d’enregistrement est di" -"sponible sur le site web de Statistique Canada ; on peut y accéd" -"er directement ou via notre site web crdcn.org/data. Par exemple : Enquête auprès des peuples autochto" -"nes 2017, Numéro d’enregistrement : 3250 https://www23.statcan.gc.ca/imdb/p2SV_f." -"pl?Function=getSurvey&SDDS=3250." - -msgid "" -"External or Supplemental data are the data use" -"d for your research project that are not provided to you by Statistics Canada " -"through the Research Data Centre program." -msgstr "" -"Les données externes ou supplémentaires sont les données " -"utilisées pour votre projet de recherche qui ne vous sont pas fournies " -"par Statistique Canada dans le cadre du programme des centres de donnée" -"s de recherche." - -msgid "" -"Resources are available on the CRDCN website t" -"o help. A recommendation from CRDCN on how to document your research contribut" -"ions can be found here. For ideas on how to properly curate reproducible resea" -"rch, you can go here: https://labordy" -"namicsinstitute.github.io/replication-tutorial-2019/#/" -msgstr "" -"Des ressources sont disponibles sur le site we" -"b du RCCDR pour vous aider. Vous trouverez ici une recommandation du RCCDR sur" -" la manière de documenter vos contributions à la recherche. Pour" -" des idées sur la façon de conserver des recherches reproductibl" -"es, vous pouvez consulter le site suivant : https://labordynamicsinstitute.github.io/replication-tutorial-2019/#/ (lien en anglais)." - -msgid "" -"Syntax: Any code used by the researcher to tra" -"nsform the raw data into the research results. This most commonly includes, bu" -"t is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code." -msgstr "" -"La syntaxe est définie comme tout code utilisé par un chercheur " -"pour transformer les données brutes en résultats de recherche. G" -"énéralement, elle est sous forme de fichiers .do (Stata), de fic" -"hiers .sas (SAS) et de code .r (R)." - -msgid "" -"Because of the structure of the agreements und" -"er which supplemental data are brought into the RDC we highly recommend a para" -"llel storage and backup to simplify sharing of these research data. Note that " -"\"data\" here refers not only to the raw data, but to any and all data generated" -" in the course of conducting the research." -msgstr "" -"Étant donné la structure des accords en vertu desquels les donn&" -"eacute;es supplémentaires sont introduites dans le CDR, nous recommando" -"ns fortement un stockage et une sauvegarde parallèles pour simplifier l" -"e partage de ces données de recherche. Notez que le terme «&thins" -"p;données » comprend les données brutes et toutes l" -"es données générées au cours de la recherche." - -msgid "" -"

                                                                                  Consider also what file-format you will use" -". Will this file format be useable in the future? Is it proprietary?" -msgstr "" -"

                                                                                  Considérez également le forma" -"t de fichier que vous utiliserez. Ce format de fichier sera-t-il utilisable &a" -"grave; l’avenir? Est-il propriétaire?

                                                                                  " - -msgid "" -"A tool provided by OpenAIRE can help researche" -"rs estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs." -msgstr "" -"L’outil fourni suivant fourni par OpenAI" -"RE peut aider les chercheurs à estimer le coût de la gestion des " -"données de recherche https://www.o" -"penaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien en a" -"nglais)." - -msgid "" -"

                                                                                  Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and how long " -"it should be archived. Decisions should align with Research Ethics Board requi" -"rements. Methods used to share data will be dependent on the type, size, compl" -"exity and degree of sensitivity of data. Outline problems anticipated in shari" -"ng data, along with causes and possible measures to mitigate these. Problems m" -"ay include confidentiality, lack of consent agreements, or concerns about Inte" -"llectual Property Rights, among others.

                                                                                  -\n" -"Reused from: Digital Curation Centre. (2013). " -"Checklist for a Data Management Plan. v.4.0. Restrictions can be imposed by limiting phys" -"ical access to storage devices, placing data on computers with no access to th" -"e Internet, through password protection, and by encrypting files. Sensitive da" -"ta should never be shared via email or cloud storage services such as Dropbox<" -"/span>" -msgstr "" -"

                                                                                  Examinez où, comment et à qui" -" les données sensibles dont la valeur à long terme est reconnue " -"doivent être rendues disponibles, et combien de temps elles doivent &eci" -"rc;tre archivées. Les décisions doivent être conformes aux" -" exigences du comité d’éthique de la recherche. Les m&eacu" -"te;thodes utilisées pour partager les données dépendront " -"du type, de la taille, de la complexité et du degré de sensibili" -"té des données. Décrivez les problèmes prév" -"us liés au partage des données, ainsi que leurs causes et les me" -"sures possibles pour les atténuer. Les problèmes peuvent compren" -"dre, entre autres, la confidentialité, l’absence d’ententes" -" de consentement ou les inquiétudes concernant les droits de propri&eac" -"ute;té intellectuelle. 

                                                                                  -\n" -"

                                                                                  Repris du : Digital Curation Centre (2" -"013). Liste de contrôle pour un plan de gestion " -"de données. v.4.0. Des restr" -"ictions peuvent être imposées en limitant l’accès ph" -"ysique aux dispositifs de stockage, en sauvegardant les données sur des" -" ordinateurs n’ayant pas accès à l’internet ou en pr" -"otégeant les fichiers par un mot de passe et en cryptant ces derniers. " -"Les données sensibles ne doivent jamais être partagées par" -" courrier électronique ou par des services de stockage infonuagiques te" -"ls que Dropbox.

                                                                                  " - -msgid "" -"Obtaining the appropriate consent from researc" -"h participants is an important step in assuring Research Ethics Boards that th" -"e data may be shared with researchers outside your project. The consent statem" -"ent may identify certain conditions clarifying the uses of the data by other r" -"esearchers. For example, it may stipulate that the data will only be shared fo" -"r non-profit research purposes or that the data will not be linked with person" -"ally identified data from other sources. Read more about data security: UK Data Archive" -"." -msgstr "" -"L’obtention du consentement appropri&eac" -"ute; des participants à la recherche est une étape importante po" -"ur garantir aux comités d’éthique de la recherche que les " -"données peuvent être partagées avec des chercheurs en deho" -"rs de votre projet. La déclaration de consentement peut identifier cert" -"aines conditions clarifiant les utilisations des données par d’au" -"tres chercheurs. Par exemple, elle peut stipuler que les données ne ser" -"ont partagées qu’à des fins de recherche sans but lucratif" -" ou que les données ne seront pas liées à des donné" -";es personnelles identificatoires provenant d’autres sources. En savoir " -"plus sur la sécurité des données, consultez le site suiva" -"nt : <" -"span style=\"font-weight: 400;\">UK Data Archive (lien en anglais" -")." - -msgid "" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are central to the research process. 

                                                                                  -\n" -"

                                                                                  Include here a description concerning owner" -"ship, licensing, and intellectual property rights of the data. Terms of reuse " -"must be clearly stated, in line with the relevant legal and ethical requiremen" -"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" -"/span>

                                                                                  " -msgstr "" -"

                                                                                  Le respect de la législation relativ" -"e à la protection de la vie privée et des lois susceptibles d&rs" -"quo;imposer des restrictions sur le contenu des données doit être" -" discuté avec le responsable de la protection de la vie privée o" -"u le bureau des services de recherche de votre institution. Les comités" -" d’éthique de la recherche sont au cœur du processus de rec" -"herche. 

                                                                                  -\n" -"

                                                                                  Donnez ici une description de la propri&eac" -"ute;té, des licences et des droits de propriété intellect" -"uelle des données. Les conditions de réutilisation doivent &ecir" -"c;tre clairement énoncées, conformément aux exigences jur" -"idiques et éthiques applicables le cas échéant (par exemp" -"le, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" -"Describe the purpose or goal of this project. " -"Is the data collection for a specific study or part of a long-term collection " -"effort? What is the relationship between the data you are collecting and any e" -"xisting data? Note existing data structure and procedures if building on previ" -"ous work." -msgstr "" -"Décrivez le but ou l’objectif de " -"ce projet. La collecte de données est-elle destinée à une" -" étude spécifique ou fait-elle partie d’un effort de colle" -"cte à long terme ? Quelle est la relation entre les donné" -"es que vous collectez et les données existantes ? Notez la struc" -"ture des données et les procédures existantes si vous vous basez" -" sur des travaux antérieurs." - -msgid "" -"Types of data you may create or capture could " -"include: geospatial layers (shapefiles; may include observations, models, remo" -"te sensing, etc.); tabular observational data; field, laboratory, or experimen" -"tal data; numerical model input data and outputs from numerical models; images" -"; photographs; video." -msgstr "" -"Les types de données que vous pouvez cr" -"éer ou saisir peuvent inclure : des couches géospatiales (f" -"ichiers de forme ; par exemple, des observations, des modèles, d" -"e la télédétection, etc.) ; des données d&r" -"squo;observation tabulaires ; des données de terrain, de laborat" -"oire ou d’expérience ; des données d’entr&eac" -"ute;e de modèles numériques et des sorties de modèles num" -"ériques ; des images ; des photographies ; de la v" -"idéo." - -msgid "" -"

                                                                                  Please also describe the tools and methods " -"that you will use to collect or generate the data. Outline the procedures that" -" must be followed when using these tools to ensure consistent data collection " -"or generation. If possible, include any sampling procedures or modelling techn" -"iques you will use to collect or generate your data.

                                                                                  " -msgstr "" -"

                                                                                  Veuillez également décrire le" -"s outils et les méthodes que vous utiliserez pour collecter ou gé" -";nérer les données. Décrivez les procédures qui do" -"ivent être suivies lors de l’utilisation de ces outils afin de gar" -"antir une collecte ou une génération de données coh&eacut" -"e;rente. Si possible, indiquez les procédures d’échantillo" -"nnage ou les techniques de modélisation que vous utiliserez pour collec" -"ter ou générer vos données.

                                                                                  " - -msgid "" -"

                                                                                  Try to use pre-existing collection standard" -"s, such as the CCME’s Proto" -"cols for Water Quality Sampling in Canada, whenever possible. 

                                                                                  -\n" -"

                                                                                  If you will set up monitoring station(s) to" -" continuously collect or sample water quality data, please review resources su" -"ch as the World Meteorological Organization’s tec" -"hnical report on Water Quality Monitoring and CCME’s Pro" -"tocols for Water Quality Guidelines in Canada.

                                                                                  " -msgstr "" -"

                                                                                  Essayez d’utiliser des normes de coll" -"ecte préexistantes telles que les protocole" -"s d’échantillonnage pour l’analyse de qualité de l&r" -"squo;eau au Canada du CCME, dans la" -" mesure du possible. 

                                                                                  \n" -"

                                                                                  Si vous envisagez de mettre en place une st" -"ation ou plusieurs stations de surveillance pour recueillir ou échantil" -"lonner en continu des données sur la qualité de l’eau, veu" -"illez consulter des ressources telles que le Rapport te" -"chnique sur la surveillance de la qualité de l’eau de l’Org" -"anisation météorologique mondiale (lien en anglais) et les Protocoles pour les lignes di" -"rectrices sur qualité de l’eau au Canada du CCME.

                                                                                  " - -msgid "" -"Include full references or links to the data w" -"hen possible. Identify any license or use restrictions and ensure that you und" -"erstand the policies for permitted use, redistribution and derived products." -msgstr "" -"Indiquez des références complètes ou des liens vers les d" -"onnées lorsque cela est possible. Identifiez toute licence ou restricti" -"on d’utilisation et assurez-vous que vous comprenez les politiques relat" -"ives à l’utilisation autorisée, à la redistribution" -" et aux produits dérivés." - -msgid "" -"

                                                                                  Sensitive data is data that carries some ri" -"sk with its collection. Examples of sensitive data include:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Data governed by" -" third party agreements, contracts or legislation.
                                                                                  • -\n" -"
                                                                                  • Personal informa" -"tion, health related data, biological samples, etc.
                                                                                  • -\n" -"
                                                                                  • Indigenous knowl" -"edge, and data collected from Indigenous peoples, or Indigenous lands, water a" -"nd ice.
                                                                                  • -\n" -"
                                                                                  • Data collected w" -"ith an industry partner.
                                                                                  • -\n" -"
                                                                                  • Location informa" -"tion of species at risk. 
                                                                                  • -\n" -"
                                                                                  • Data collected o" -"n private property, for example where identification of contaminated wells cou" -"ld impact property values or stigmatize residents or land owners.
                                                                                  • -" -"\n" -"
                                                                                  -\n" -"Additional sensitivity assessment can be made " -"using data classification matrices such as the University of Saskatchewan Data Classification guidance." -msgstr "" -"

                                                                                  Les données sensibles sont des donn&" -"eacute;es qui comportent un certain risque lors de leur collecte. Voici quelqu" -"es exemples de données sensibles :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Données r" -"égies par des ententes, contrats ou législations de tiers.
                                                                                  • -\n" -"
                                                                                  • Renseignements p" -"ersonnels, données relatives à la santé, échantill" -"ons biologiques, etc.
                                                                                  • -\n" -"
                                                                                  • Savoir autochton" -"e et données recueillies auprès des peuples autochtones, des ter" -"res, de l’eau et de la glace des autochtones.
                                                                                  • -\n" -"
                                                                                  • Données c" -"ollectées avec un partenaire industriel.
                                                                                  • -\n" -"
                                                                                  • Information sur " -"l’emplacement des espèces menacées. 
                                                                                  • -\n" -"
                                                                                  • Données c" -"ollectées sur des propriétés privées, par exemple " -"lorsque l’identification de puits contaminés pourrait avoir un im" -"pact sur la valeur des propriétés ou stigmatiser les rési" -"dents ou les propriétaires fonciers.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Une évaluation de sensibilité" -" supplémentaire peut être effectuée en utilisant des matri" -"ces de classification des données telles que les directives de <" -"a href=\"https://www.usask.ca/avp-ict/documents/Data%20Classification%20Summary" -".pdf\">classification des données de l&r" -"squo;Université de Saskatchewan (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Methods used to share data will be dependen" -"t on the type, size, complexity and degree of sensitivity of data. Outline any" -" problems anticipated in sharing data, along with causes and possible measures" -" to mitigate these. Problems may include confidentiality, lack of consent agre" -"ements, or concerns about Intellectual Property Rights, among others. -\n" -"

                                                                                  Decisions should align with Research Ethics" -" Board requirements. If you are collecting water quality data from Indigenous " -"communities, please also review resources such as the Tri-Council Policy State" -"ment (TCPS2) - Chapter 9: Research Involv" -"ing the First Nations, Inuit and Métis Peoples of Canada, the First Nations Principles of OCAP, the CARE Principles of Indigenous Data Governance, the National Inuit Strategy on Research, and Negotiating Research Relationships wi" -"th Inuit Communities as appropriate" -". 

                                                                                  -\n" -"Restrictions can be imposed by limiting physic" -"al access to storage devices, placing data on computers with no access to the " -"Internet, through password protection, and by encrypting files. Sensitive data" -" should never be shared via email or cloud storage services such as Dropbox. R" -"ead more about data security here: UK Data Service. " -msgstr "" -"

                                                                                  Les méthodes utilisées pour p" -"artager les données dépendront du type, de la taille, de la comp" -"lexité et du degré de sensibilité des données. D&e" -"acute;crivez les problèmes prévus dans le partage des donn&eacut" -"e;es, ainsi que leurs causes et les mesures possibles pour les atténuer" -". Les problèmes peuvent inclure, entre autres, la confidentialité" -";, l’absence d’ententes de consentement ou des préoccupatio" -"ns concernant les droits de propriété intellectuelle.

                                                                                  " -" -\n" -"

                                                                                  Les décisions doivent être con" -"formes aux exigences du comité d’éthique de la recherche. " -"Si vous recueillez des données sur la qualité de l’eau aup" -"rès de communautés autochtones, veuillez également consul" -"ter des ressources telles que l’Énoncé de politique des tr" -"ois conseils (EPTC 2) – Chapitre 9 : Recherche impliquant les Premières Nations, les Inuits" -" ou les Métis du Canada, les" -" principes de PCAP des Premières Nations, p" -"rincipes CARE sur la gouvernance des données autochtones (lien en anglais), la Stratégie nationale inuite pour " -"la recherche, et la Négociation des relations p" -"our la recherche avec les communautés inuites (lien en anglais), au besoin. 

                                                                                  -\n" -"

                                                                                  Des restrictions peuvent être impos&e" -"acute;es en limitant l’accès physique aux dispositifs de stockage" -", en plaçant les données sur des ordinateurs n’ayant pas a" -"ccès à l’internet, en protégeant les fichiers par u" -"n mot de passe et en les cryptant. Les données sensibles ne doivent jam" -"ais être partagées par courrier électronique ou par des se" -"rvices de stockage dans le nuage tels que Dropbox. Pour en savoir plus sur la " -"sécurité des données, cliquez ici : Service des données du Royaume-Uni (lien en anglais).

                                                                                  " - -msgid "" -"

                                                                                  Consider where, how, and to whom sensitive " -"data with acknowledged long-term value should be made available, and for how l" -"ong it should be archived. If you must restrict some data from sharing, consid" -"er making the metadata (information about the dataset) available in a public m" -"etadata catalogue.

                                                                                  -\n" -"

                                                                                  Obtaining the appropriate consent from rese" -"arch participants is an important step in assuring Research Ethics Boards that" -" the data may be shared with researchers outside your project. The consent sta" -"tement may identify certain conditions clarifying the uses of your data by oth" -"er researchers. For example, it may stipulate that the data will only be share" -"d for non-profit research purposes or that the data will not be linked with pe" -"rsonally identified data from other sources. It is important to consider how t" -"he data you are collecting may contribute to future research prior to obtainin" -"g research ethics approval since consent will dictate how the data can be used" -" in the immediate study and in perpetuity.

                                                                                  " -msgstr "" -"

                                                                                  Déterminez où, comment et &ag" -"rave; qui les données sensibles dont la valeur à long terme est " -"reconnue doivent être mises à disposition, et pendant combien de " -"temps elles doivent être archivées. Si vous devez restreindre le " -"partage de certaines données, envisagez de rendre les métadonn&e" -"acute;es (informations sur l’ensemble de données) disponibles dan" -"s un catalogue public de métadonnées.

                                                                                  -\n" -"

                                                                                  L’obtention du consentement appropri&" -"eacute; des participants à la recherche est une étape importante" -" pour prouver aux comités d’éthique de la recherche que le" -"s données peuvent être partagées avec des chercheurs ext&e" -"acute;rieurs à votre projet. La déclaration en matière de" -" consentement peut identifier certaines conditions clarifiant les utilisations" -" de vos données par d’autres chercheurs. Par exemple, elle peut s" -"tipuler que les données ne seront partagées qu’à de" -"s fins de recherche sans but lucratif ou que les données ne seront pas " -"liées à des données personnelles identifiées prove" -"nant d’autres sources. Vous devez considérer comment les donn&eac" -"ute;es que vous collectez peuvent contribuer à des recherches futures a" -"vant d’obtenir l’approbation des comités d’éth" -"ique de la recherche, car le consentement dictera comment les données p" -"euvent être utilisées dans l’étude immédiate " -"et à perpétuité.

                                                                                  " - -msgid "" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office. Research Ethics " -"Boards are also central to the research process.

                                                                                  -\n" -"

                                                                                  Describe ownership, licensing, and any inte" -"llectual property rights associated with the data. Check your institution's po" -"licies for additional guidance in these areas. The University of Waterloo has " -"a good example of an institutional policy on Intellectual Property Rights" -".

                                                                                  -\n" -"

                                                                                  Terms of reuse must be clearly stated, in l" -"ine with the relevant legal and ethical requirements where applicable (e.g., s" -"ubject consent, permissions, restrictions, etc.).

                                                                                  " -msgstr "" -"

                                                                                  Le respect de la législation relativ" -"e à la protection de la vie privée et des lois pouvant imposer d" -"es restrictions sur le contenu des données doit être discut&eacut" -"e; avec le responsable de la protection de la vie privée ou le bureau d" -"es services de recherche de votre institution. Les comités d’&eac" -"ute;thique de la recherche sont également au cœur du processus de" -" recherche.

                                                                                  -\n" -"

                                                                                  Décrivez la propriété," -" la licence et tout droit de propriété intellectuelle associ&eac" -"ute; aux données. Consultez les politiques de votre établissemen" -"t pour obtenir des conseils supplémentaires dans ces domaines. L’" -"Université de Waterloo a un bon exemple de politique institutionnelle s" -"ur les droits en matière de propriété intellectuelle" -" (lien en anglais)." -"

                                                                                  -\n" -"

                                                                                  Les conditions de réutilisation doiv" -"ent être clairement énoncées, conformément aux exig" -"ences juridiques et éthiques applicables, le cas échéant " -"(par exemple, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " - -msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"Data should be collected and stored using mach" -"ine readable, non-proprietary formats, such as .csv, .json, or .tiff. Propriet" -"ary file formats requiring specialized software or hardware to use are not rec" -"ommended, but may be necessary for certain data collection or instrument analy" -"sis methods. If a proprietary format must be used, can it be converte" -"d to an open format or accessed using free and open source tools?
                                                                                  " -"
                                                                                  Using open file formats or industry-standard formats (e.g. those widely " -"used by a given community) is preferred whenever possible. Read more about fil" -"e formats: UBC Library, USGS, DataONE, or UK Data Service." +"

                                                                                  One of the best ways to refer other researc" +"hers to your deposited datasets is to cite them the same way you cite other ty" +"pes of publications. The Digital Curation Centre provides a detailed guide on data citation. You may also wish to consult the DataCite citation recommen" +"dations

                                                                                  \n" +"

                                                                                  Some repositories also create links from da" +"tasets to their associated papers, increasing the visibility of the publicatio" +"ns. If possible, cross-reference or link out to all publications, code and dat" +"a. Choose a repository that will assign a persistent identifier (such as a DOI" +") to your dataset to ensure stable access to the dataset.

                                                                                  \n" +"Other sharing possibilities include: data regi" +"stries, indexes, word-of-mouth, and publications. For more information, see Key Elements to Consider in Preparin" +"g a Data Sharing Plan Under NIH Extramural Support." msgstr "" -"Les données doivent être collect&" -"eacute;es et stockées dans des formats en libre accès lisibles p" -"ar machine, tels que .csv, .json ou .tiff. Les formats de fichiers propri&eacu" -"te;taires nécessitant l’utilisation de logiciels ou de maté" -";riel spécialisés ne sont pas recommandés, mais peuvent &" -"ecirc;tre nécessaires pour certaines méthodes de collecte de don" -"nées ou d’analyse d’instruments. Si un format proprié" -";taire doit être utilisé, peut-il être converti en un forma" -"t ouvert ou accessible à l’aide d’outils libres et gratuits" -" ?

                                                                                  L’utilisatio" -"n de formats de fichiers ouverts ou de formats standard (par exemple, ceux lar" -"gement utilisés par une communauté donnée) est pré" -"férable dans la mesure du possible. Voici des liens pour plus de rensei" -"gnements sur les formats de fichiers : Bibl" -"iothèque de l’Université de la C.-B., USGS, DataONE" -", et Service des do" -"nnées du Royaume-Uni (liens en anglais)." +"

                                                                                  L’un des meilleurs moyens de diriger " +"d’autres chercheurs à vos ensembles de données dépo" +"sés est de les citer de la même manière que vous citez d&r" +"squo;autres types de publications. Le Centre de conservation numérique " +"fournit un guide sur la citation des données" +" (lien en anglais). Vous p" +"ouvez aussi consulter les recommandations en matière de cit" +"ation de DataCite (lien en anglais). 

                                                                                  \n" +"

                                                                                  Certains dépôts créent " +"également des liens entre les ensembles de données et les docume" +"nts qui leur sont associés, ce qui augmente la visibilité des pu" +"blications. Si possible, faites des références croisées o" +"u créez des liens vers toutes les publications, codes et données" +". Choisissez un référentiel qui attribuera un identifiant perman" +"ent (tel qu’un identifiant numérique d’objet) à votr" +"e ensemble de données afin de garantir un accès stable à " +"l’ensemble de données.

                                                                                  \n" +"

                                                                                  D’autres possibilités de parta" +"ge comprennent : les registres de données, les index, le bouche-&a" +"grave;-oreille et les publications. Pour plus d’informations, consultez " +"les Éléments cl&eacu" +"te;s à prendre en compte dans l’élaboration d’un pla" +"n de partage des données avec le soutien en dehors des INS (lie" +"n en anglais).

                                                                                  " msgid "" -"

                                                                                  File names should:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Clearly identify the name of the project (" -"Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" -"nd type of data in the file;
                                                                                  • -\n" -"
                                                                                  • Avoid use of special characters, such as  $ % ^ & # | :, to preve" -"nt errors and use an underscore ( _)  or dash (-) rather than spaces; -\n" -"
                                                                                  • Be as concise as possible. Some instrument" -"s may limit you to specific characters. Check with your labs for any naming St" -"andard Operating Procedures (SOPs) or requirements. 
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Data Structure:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • It is important to keep track of different" -" copies or versions of files, files held in different formats or locations, an" -"d information cross-referenced between files. This process is called 'version " -"control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" -". v1.1.0);
                                                                                  • -\n" -"
                                                                                  • Logical file structures, informative naming conventions and clear indicati" -"ons of file versions all contribute to better use of your data during and afte" -"r your research project.  These practices will help ensure that you and y" -"our research team are using the appropriate version of your data and minimize " -"confusion regarding copies on different computers and/or on different media.&n" -"bsp;
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Read more about file naming and version control: UBC Library or UK Data Service.

                                                                                  " +"

                                                                                  Consider which data are necessary to validate (support or verify) your research findi" +"ngs, and which must be shared to meet institutional or funding requirements. T" +"his may include data and code used in analyses or to create charts, figures, i" +"mages, etc. Certain data may need to be restricted because of confidentiality," +" privacy, or intellectual property considerations and should be described belo" +"w.

                                                                                  \n" +"Wherever possible, share your data in preserva" +"tion-friendly file formats. Some data formats are optimal for the long-term pr" +"eservation of data. For example, non-proprietary file formats, such as text ('" +".txt') and comma-separated ('.csv'), are considered preservation-friendly. The" +" UK Data Service provides a useful table of file formats for various ty" +"pes of data. Keep in mind that preservation-friendly files converted from one " +"format to another may lose information (e.g. converting from an uncompressed T" +"IFF file to a compressed JPG file), so changes to file formats should be docum" +"ented. " msgstr "" -"

                                                                                  Les noms des fichiers doivent :" -"

                                                                                  \n" -"
                                                                                    \n" -"
                                                                                  • Identifier clairement le nom du projet (id" -"entifiant unique, abréviation du projet), le calendrier (utiliser la norme de date I" -"SO) et le type de données dans le fichier;
                                                                                  • \n" -"
                                                                                  • Éviter l’utilisation de carac" -"tères spéciaux, tels que $ % ^ & # | :, pour éviter l" -"es erreurs et utiliser un trait de soulignement ( _ ) ou un tiret (-) plut&oci" -"rc;t que des espaces;
                                                                                  • \n" -"
                                                                                  • Être aussi concis que possible. Cert" -"ains instruments peuvent vous limiter à des caractères spé" -";cifiques. Vérifiez auprès de vos laboratoires les procédures op" -"ératoires normalisées (PON) ou les exigences en matière de nomenclature" -".
                                                                                  • \n" -"
                                                                                  \n" -"

                                                                                  La structure des données :

                                                                                  \n" -"
                                                                                    \n" -"
                                                                                  • Il est important de garder une trace des d" -"ifférentes copies ou versions de fichiers, des fichiers détenus " -"dans différents formats ou emplacements, et des référence" -"s croisées entre les fichiers. Ce processus s’appelle la “g" -"estion de versions”. Pour la gestion des versions, il convient d’u" -"tiliser le format de vMajeure.Mineure.Correction (c’est-à-dire v1" -".1.0);
                                                                                  • \n" -"
                                                                                  • Des structures de fichiers logiques, des c" -"onventions d’appellation informatives et des indications claires sur les" -" versions des fichiers contribuent à une meilleure utilisation de vos d" -"onnées pendant et après votre projet de recherche. Ces pratiques" -" permettront de s’assurer que vous et votre équipe de recherche u" -"tilisez la version appropriée de vos données et de minimiser la " -"confusion concernant les copies sur différents ordinateurs ou sur diff&" -"eacute;rents supports informatiques.
                                                                                  • \n" -"
                                                                                  •  
                                                                                  • \n" -"
                                                                                  \n" -"

                                                                                  Voici des liens pour plus de renseignements sur la nomenclature et la" -" gestion de versions des fichiers : Bibliothèque de l’Université d'Ottawa<" -"/span> et le UK Data Service (lien en anglais).

                                                                                  " +"

                                                                                  Examinez quelles données sont n&eacu" +"te;cessaires pour valider (soutenir ou vérifier; lien en anglais)" +" vos résultats de recherche, et lesquelles doivent être partag&ea" +"cute;es pour répondre aux exigences de l’établissement ou " +"du financement. Il peut s’agir de données et de codes utilis&eacu" +"te;s dans des analyses ou pour créer des graphiques, des figures, des i" +"mages, etc. Certaines données peuvent devoir être restreintes pou" +"r des raisons de confidentialité, de respect de la vie privée ou" +" de propriété intellectuelle et doivent être décrit" +"es ci-dessous.

                                                                                  \n" +"

                                                                                  Dans la mesure du possible, partagez vos do" +"nnées dans des formats de fichiers faciles à conserver. Certains" +" formats de données sont optimaux pour la conservation à long te" +"rme des données. Par exemple, les formats de fichiers non proprié" +";taires, tels que le texte ('.txt') et les fichiers séparés par " +"des virgules ('.csv'), sont considérés comme faciles à co" +"nserver. Le Service des donné" +"es du Royaume-Uni (lien en anglais) fournit un tableau utile des formats de fichiers pour différe" +"nts types de données. Sachez que les fichiers faciles à conserve" +"r convertis d’un format à un autre peuvent perdre des information" +"s (par exemple, la conversion d’un fichier TIFF non compressé en " +"un fichier JPG compressé), et que les modifications apportées au" +"x formats de fichiers doivent donc être documentées.

                                                                                  " msgid "" -"Typically, good documentation includes informa" -"tion about the study, data-level descriptions and any other contextual informa" -"tion required to make the data usable by other researchers. Elements to docume" -"nt, as applicable, include: research methodology, variable definitions, vocabu" -"laries, classification systems, units of measurement, assumptions made, format" -" and file type of the data, and details of who has worked on the project and p" -"erformed each task, etc.  

                                                                                  A readme file describing your formatting, naming conventions and proc" -"edures can be used to promote use and facilitate adherence to data policies. F" -"or instance, describe the names or naming process used for your study sites.

                                                                                  Verify the spelling of study " -"site names using the
                                                                                  Canadian Geographical Names Database

                                                                                  If yo" -"ur data will be collected on Indigenous lands, ensure your naming scheme follo" -"ws the naming conventions determined by the community.
                                                                                  " +"

                                                                                  Data retention should be considered early i" +"n the research lifecycle. Data-retention decisions can be driven by external p" +"olicies (e.g. funding agencies, journal publishers), or by an understanding of" +" the enduring value of a given set of data. The need to preserve data in the s" +"hort-term (i.e. for peer-verification purposes) or long-term (for data of last" +"ing value), will influence the choice of data repository or archive. A helpful" +" analogy is to think of creating a 'living will' for the data, that is, a plan" +" describing how future researchers will have continued access to the data.&nbs" +"p;

                                                                                  \n" +"It is important to verify whether or not the d" +"ata repository you have selected will support the terms of use or licenses you" +" wish to apply to your data and code. Consult the repository’s own terms" +" of use and preservation policies for more information. For help finding an ap" +"propriate repository, contact your institution’s library or reach out to" +" the Portage DMP Coordinator at sup" +"port@portagenetwork.ca. " msgstr "" -"En règle générale, une bo" -"nne documentation comprend de l’information sur l’étude, de" -"s descriptions par rapport aux données et toute autre information conte" -"xtuelle nécessaire pour rendre les données utilisables par d&rsq" -"uo;autres chercheurs. Les éléments que vous devriez documenter c" -"omprennent, le cas échéant : la méthodologie de rech" -"erche, les définitions des variables, les glossaires, les systèm" -"es de classification, les unités de mesure, les hypothèses formu" -"lées, le format et le type de fichier des données et des pr&eacu" -"te;cisions sur les personnes qui ont travaillé sur le projet et effectu" -"é chaque tâche, etc. 

                                                                                  Un fichier de type “" -"readme” décrivant votre formatage, vos conventions de déno" -"mination et vos procédures peut être utilisé pour promouvo" -"ir l’utilisation des politiques en matière de données et f" -"aciliter l’adhésion à celles-ci. Par exemple, décri" -"vez les noms ou le processus de dénomination utilisés pour vos s" -"ites d’étude.

                                                                                  V" -"érifiez l’orthographe des noms des sites d’étude &ag" -"rave; l’aide de la Base de données toponymiques du Canada.


                                                                                  Si vos données sont collectées sur des terres autochtones, ass" -"urez-vous que votre système de dénomination suit les conventions" -" de dénomination déterminées par la communauté.
                                                                                  " +"

                                                                                  La rétention des données doit" +" être envisagée dès le début du cycle de vie de la " +"recherche. Les décisions relatives à la rétention des don" +"nées peuvent être dictées par des politiques externes (par" +" exemple, les organismes de financement, les éditeurs de revues) ou par" +" la compréhension de la valeur durable d’un ensemble de donn&eacu" +"te;es donné. La nécessité de conserver les données" +" à court terme (c’est-à-dire à des fins de vé" +";rification par les pairs) ou à long terme (pour les données aya" +"nt une valeur durable), influencera le choix du dépôt ou de l&rsq" +"uo;archive de données. Une analogie pertinente serait la créatio" +"n d’un \"testament biologique\" pour les données, c’est-&agra" +"ve;-dire un plan décrivant comment les futurs chercheurs auront un acc&" +"egrave;s continu aux données. 

                                                                                  \n" +"

                                                                                  Il est important de vérifier si le d" +"épôt de données que vous avez sélectionné su" +"pportera ou non les conditions d’utilisation ou les licences que vous so" +"uhaitez appliquer à vos données et à votre code. Pour plu" +"s d’informations, consultez les conditions d’utilisation et les po" +"litiques de conservation du dépôt. Pour trouver un dép&oci" +"rc;t approprié, communiquez avec la bibliothèque de votre instit" +"ution ou le Coordonnateur de la PGD de Portage à l’adresse su" +"pport@portagenetwork.ca. " msgid "" -"

                                                                                  Include descriptions of sampling procedures" -" and hardware or software used for data collection, including make, model and " -"version where applicable. Sample and replicate labels<" -"span style=\"font-weight: 400;\"> should have a consistent format (sample number" -", name, field site, date of collection, analysis requested and preservatives a" -"dded, if applicable) and a corresponding document with descriptions of any cod" -"es or short forms used. 

                                                                                  For examples and guidelines, see the
                                                                                  CCME Protocols Manual for Water Quality Sampling in Canada (taxonomy example p. 11, general guidelines p. 3" -"2-33). 

                                                                                  Consistency, re" -"levance and cost-efficiency are key factors of sample collection and depend on" -" the scope of the project. For practical considerations, see “4.3 Step 3" -". Optimizing Data Collection and Data Quality” in the CCME Guidance Manual for Opti" -"mizing Water Quality Monitoring Program Design.

                                                                                  " +"The general-purpose repositories for data shar" +"ing in Canada are the Federated Research Data Repository (FRDR) and
                                                                                  Scholars Portal Dataverse<" +"/a>. You can search for discipline-specific re" +"positories on re3data.org or by using " +"DataCite's Repository Finder tool. " msgstr "" -"Décrivez les procédures d’" -"échantillonnage et le matériel ou les logiciels utilisés " -"pour la collecte des données, y compris la marque, le modèle et " -"la version, le cas échéant. Les étiquettes des &e" -"acute;chantillons et des répliques doivent avoir un format coh" -"érent (numéro d’échantillon, nom, site de pré" -";lèvement, date de prélèvement, analyse demandée e" -"t agents de conservation ajoutés, le cas échéant) et un d" -"ocument correspondant avec la description des codes ou des formes abrég" -"ées utilisées.

                                                                                  Pour des exemples et des directives, consult" -"ez le Manue" -"l des protocoles d’échantillonnage pour l’analyse de la qua" -"lité de l’eau au Canada du CCME (exemple de taxonomie p. " -";12, directives générales p. 36 et 37).

                                                                                  " -"La cohérence, la pertinence et la renta" -"bilité sont des facteurs clés de la collecte d’écha" -"ntillons et celles-ci dépendent de la portée du projet. Pour des" -" considérations pratiques, consultez le chapitre 4.3 Étape&" -"nbsp;3. Optimisation de la collecte et de la qualité de données " -"du Guide po" -"ur l’optimisation des programmes de suivi de la qualité de l&rsqu" -"o;eau du CCME. " +"Les dépôts à usage g&eacut" +"e;néral pour le partage des données au Canada sont le Dépôt fédéré de données de recherch" +"e et Scholars Portal D" +"ataverse. Vous pouvez rechercher de" +"s dépôts spécifiques à une discipline sur re3data.org<" +"/a> utilisant l’outil de rep&e" +"acute;rage de dépôt de DataCite (liens en anglais<" +"/em>). " msgid "" -"

                                                                                  It is important to have a standardized data" -" analysis procedure and metadata detailing both the collection and analysis of" -" the data. For guidance see “4.4 Step 4. Data Analysis, Interpretation a" -"nd Evaluation” in the CCME Guidance Manual for Optimizing Water Quality Monitoring " -"Program Design. 

                                                                                  If" -" you will collect or analyze data as part of a wider program, such as the Canadian Aquatic Biomonitoring Network, include links to the appropriate guidance documents.

                                                                                  " +"

                                                                                  Making the software (or source code) you de" +"veloped accessible is essential for others to understand your work. It allows " +"others to check for errors in the software, to reproduce your work, and ultima" +"tely, to build upon your work. Consider using a code-sharing platform such as " +"GitHub Bitbucket, or GitLab. If you would like to archive your code and recei" +"ve a DOI, " +"GitHub is integrated with Zenodo as a repository option. 

                                                                                  \n" +"

                                                                                  At a minimum, if using third-party software" +" (proprietary or otherwise), researchers should share and make available the s" +"ource code (e.g., analysis scripts) used for analysis (even if they do not hav" +"e the intellectual property rights to share the software platform or applicati" +"on itself).

                                                                                  " msgstr "" -"Il est important de disposer d’une proc&" -"eacute;dure d’analyse des données normalisée et de m&eacut" -"e;tadonnées détaillant à la fois la collecte et l’a" -"nalyse des données. Pour des conseils, consultez le chapitre 4.4 &" -"Eacute;tape 4. Analyse, interprétation et évaluation des do" -"nnées du Guide pour l’optimisation de" -"s programmes de suivi de la qualité de l’eau du CCME.
                                                                                  <" -"/span>
                                                                                  Si vous collectez ou analysez des " -"données dans le cadre d’un programme plus large, tel que le Réseau canadien de biosurveillance aquatique, ajoutez les liens aux guides appropri&eacu" -"te;s." +"

                                                                                  Vous devez rendre accessible le logiciel (o" +"u le code source) que vous avez développé pour que les autres pu" +"issent comprendre votre travail. Vous permettrez ainsi aux autres de vé" +"rifier les erreurs du logiciel, de reproduire votre travail et, en fin de comp" +"te, de s’appuyer sur votre travail. Envisagez d’utiliser une plate" +"forme de partage de code comme GitHub, Bitb" +"ucket ou GitLab (liens en angl" +"ais). Si vous souhaitez archiver v" +"otre code et obtenir un identifiant numérique d’objet, GitHub est intégré à Zenodo (lien en " +"anglais) en tant qu’option d" +"e dépôt. 

                                                                                  \n" +"

                                                                                  Lorsque les chercheurs utilisent un logicie" +"l tiers (propriétaire ou autre), ils devraient au moins partager et ren" +"dre disponible le code source (par exemple, les scripts d’analyse) utili" +"sé pour l’analyse (même s’ils n’ont pas les dro" +"its de propriété intellectuelle pour partager la plateforme ou l" +"’application logicielle elle-même).

                                                                                  " msgid "" -"

                                                                                  Include documentation about what QA/QC proc" -"edures will be performed. For guidance see “1.3 QUALITY ASSURANCE/CONTRO" -"L IN SAMPLING” in the CC" -"ME Integrated guidance manual of sampli" -"ng protocols for water quality monitoring in Canada or the Quality-Control Design for Surfa" -"ce-Water Sampling in the National Water-Quality Network from the USGS.

                                                                                  " +"After the software has been delivered, used an" +"d recognized by a sufficiently large group of users, will you allocate both hu" +"man and financial resources to support the regular maintenance of the software" +", for activities such as debugging, continuous improvement, documentation and " +"training?" msgstr "" -"Veuillez inclure la documentation sur les proc" -"édures d’AQ ou de CQ qui seront utilisées. Consultez le ch" -"apitre 1.3 ASSURANCE ET CONTRÔLE DE LA QUALITÉ EN MATIÈRE " -"D’ÉCHANTILLONNAGE du Guide sur les pr" -"otocoles d’échantillonnage pour la qualité des eaux au Can" -"ada du CCME ou le Quality-Control Design for Surface-Water Sampling in the National Water-Q" -"uality Network de l’USGS (lien en anglais)." +"Après la livraison, l’utilisation" +" et la reconnaissance du logiciel par un groupe d’utilisateurs suffisamm" +"ent important, allouerez-vous des ressources humaines et financières po" +"ur assurer la maintenance régulière du logiciel pour des activit" +"és telles que le débogage, l’amélioration continue," +" la documentation et la formation ?" msgid "" -"Consider how you will capture this information" -" and where it will be recorded, ideally in advance of data collection and anal" -"ysis, to ensure accuracy, consistency, and completeness of the documentation. " -"Writing guidelines or instructions for the documentation process will enhance " -"adoption and consistency among contributors. Often, resources you have already created can contribute to this (e.g., " -"laboratory Standard Operating Procedures (SOPs), recommended textbooks,  " -"publications, websites, progress reports, etc.).  

                                                                                  It is useful to consult regularly with the me" -"mbers of the research team to capture potential changes in data collection or " -"processing that need to be reflected in the documentation. Individual roles an" -"d workflows should include gathering data documentation as a key element. Researchers should audit their documentatio" -"n at a specific time interval (e.g., bi-weekly) to ensure documentation is cre" -"ated properly and information is captured consistently throughout the project." -" " +"A classification system is a useful tool, especially if you work with ori" +"ginal manuscripts or non-digital objects (for example, manuscripts in binders)" +". Provide the description of your classification system in this plan or provid" +"e reference to the documents containing it." msgstr "" -"Réfléchissez à la mani&eg" -"rave;re dont vous allez saisir ces informations et à l’endroit o&" -"ugrave; elles seront enregistrées, idéalement avant la collecte " -"et l’analyse des données, afin de garantir l’exactitude, la" -" cohérence et l’exhaustivité de la documentation. La r&eac" -"ute;daction de lignes directrices ou d’instructions pour le processus de" -" documentation favorisera l’adoption et la cohérence parmi les co" -"ntributeurs. Souvent, les ressources que vous avez déjà cr&eacut" -"e;ées peuvent y contribuer (par exemple, des procédures op&eacut" -"e;ratoires normalisées (PON) des laboratoires, manuels recommandé" -";s, publications, sites web, rapports d’avancement, etc.). <" -"br />
                                                                                  Consultez régulièrement les membres de l’équipe" -" de recherche afin de saisir les changements potentiels dans la collecte ou le" -" traitement des données qui doivent être reflétés d" -"ans la documentation. Les rôles individuels et les flux de travail doive" -"nt inclure la collecte de la documentation sur les données comme &eacut" -"e;lément clé. Les chercheurs doivent vérifier leur docume" -"ntation à un intervalle de temps précis (par exemple, toutes les" -" deux semaines) pour s’assurer que la documentation est cré&eacut" -"e;e correctement et que l’information est saisie de manière coh&e" -"acute;rente tout au long du projet. " +"Un syst&" +"egrave;me de classification est un " +"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " +"des objets non-numériques (par exemple, des manuscrits dans des classeu" +"rs). Fournir la description de votre système de classification dans ce " +"plan ou fournir la référence aux documents contenant celle-ci. <" +"/span>" + +msgid "" +"Naming conventions should be developed. Provide the description of your naming" +" and versioning procedure in this plan or provide reference to documents conta" +"ining it. Read more about file naming and version control at UK Data Service
                                                                                  ." +msgstr "" +"Des règles de nommage devraient ê" +"tre développées. Fournir la description de votre procédur" +"e de nommage et de versionnage dans ce plan ou fournir la référe" +"nce aux documents contenant celle-ci. Lire davantage sur le nommage de fichier" +"s et le contrôle des versions à UK Data Service (lien en anglais
                                                                                  )." + +msgid "" +"

                                                                                  Elements to consider in contextualizing res" +"earch data: methodologies, definitions of variables or analysis categories, sp" +"ecific classification systems, assumptions, code tree, analyses performed, ter" +"minological evolution of a concept, staff members who worked on the data and t" +"asks performed, etc. 

                                                                                  \n" +"

                                                                                  To ensure a verifiable historical interpret" +"ation and the lowest possible bias in the possible reuse of the data, try to i" +"dentify elements of implicit knowledge or that involve direct communication wi" +"th the principal investigator.

                                                                                  " +msgstr "" +"

                                                                                  Éléments à considérer pour contextualiser le ma" +"tériel de recherche : méthodologies utilisées, déf" +"initions des variables ou des catégories d’analyse, systèm" +"es de classification particulier, suppositions émises, arbre de codage," +" analyses effectuées, évolution terminologique d’un concep" +"t, personnel ayant travaillé sur le matériel et tâches r&e" +"acute;alisées, etc.

                                                                                  Pour assurer une interprétation " +"historique vérifiable et le moins biaisée possible lors d’" +"une éventuelle réutilisation des données, tenter d’" +"identifier les éléments de connaissances tacites ou qui implique" +"nt une communication directe avec le chercheur principal.

                                                                                  " msgid "" -"

                                                                                  Water Quality metadata standards:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • DS-WQX: A schema designed for data entered into the DataStream reposi" -"tory based off of the US EPA’s WQX standard.
                                                                                  • -\n" -"
                                                                                  • WQX: Data model designed by the US EPA and USGS for" -" upload to their water quality exchange portal.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Ecological metadata standards:

                                                                                  -\n" -" -\n" -"

                                                                                  Geographic metadata standards:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • ISO 1911" -"5: International Standards Organisa" -"tion’s schema for describing geographic information and services." -"
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Read more about metadata standards: " -"UK Digital Curation Centre's Disciplinary Metadata.

                                                                                  " +"Consider the total volume of storage space exp" +"ected for each media containing these files. If applicable, include hardware c" +"osts in the funding request. Include this information in the Responsibilities and Resources section as well." msgstr "" +"Considérer le volume total de l’e" +"space de stockage anticipé pour chaque support contenant les fichiers m" +"entionnés. Le cas échéant, inclure le coût pour l&r" +"squo;achat de matériel informatique dans la demande de financement. Int" +"égrer aussi cette information dans la section Responsabilités et ressources." msgid "" -"

                                                                                  Metadata describes a dataset and provides v" -"ital information such as owner, description, keywords, etc. that allow data to" -" be shared and discovered effectively. Researchers are encouraged to adopt com" -"monly used and interoperable metadata schemas (general or domain-specific), wh" -"ich focus on the exchange of data via open spatial standards. Dataset document" -"ation should be provided in a standard, machine readable, openly-accessible fo" -"rmat to enable the effective exchange of information between users and systems" -". 

                                                                                  " +"

                                                                                  For long-term preservation, you may wish to" +" consider CoreTrustSeal certified repositories found in this directory" +". However, as many repositories may be in the process of being certified and a" +"re not yet listed in this directory, reviewing the retention policy of a repos" +"itory of interest will increase your options. For repositories without certifi" +"cation, you can evaluate their quality by comparing their policies to the stan" +"dards of a certification. Read more on trusted data repositories at The University of Edin" +"burgh and OpenAIRE.

                                                                                  \n" +"

                                                                                  To increase the visibility of research data" +", opt for disciplinary repositories: search by discipline in re3data.org.

                                                                                  \n" +"

                                                                                  For solutions governed by Canadian legislat" +"ion, it is possible to browse by country of origin in re3data.org. In addition" +", Canada’s digital research infrastructure offers the Federated Research" +" Data Repository (FRDR). Finally," +" it is quite possible that your institution has its own research data reposito" +"ry.

                                                                                  \n" +"

                                                                                  To make sure the selected repository meets " +"the requirements of your DMP, feel free to seek advice from a resource person or contact the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " msgstr "" -"

                                                                                  Les métadonnées décrivent un jeu de données" -" et fournissent des informations essentielles telles que le propriétaire, la d" -"escription, les mots clés, etc. qui permettent de partager et de découvrir les" -" données de manière efficace. Les chercheurs sont encouragés à adopter des sch" -"émas de métadonnées (généraux ou spécifiques à un domaine) communément utilisé" -"s et interopérables, qui mettent l’accent sur l’échange de données via des nor" -"mes spatiales ouvertes. La documentation des jeux de données doit être fournie" -" dans un format standard, lisible par machine et accessible à tous, afin de pe" -"rmettre un échange efficace d’informations entre les utilisateurs et les systè" -"mes.

                                                                                  " msgid "" -"Deviation from existing metadata standards should only occur when necessary. I" -"f this is the case, please document these deviations so that others can recrea" -"te your process." +"

                                                                                  Preparing research data for eventual preser" +"vation involves different tasks that may have costs that are budgeted for pref" +"erably in the funding application. This could require a cost model or simply t" +"he basic sections of the UK Data Service Costing T" +"ool.

                                                                                  \n" +"

                                                                                  Include this cost estimate in the Responsibilities and Resources section.

                                                                                  \n" +"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " msgstr "" -"Vous ne devriez vous écarter des normes" -" de métadonnées existantes qu’en cas de nécessit&ea" -"cute;. Le cas échéant, veuillez documenter ces écarts afi" -"n que d’autres puissent recréer votre processus. " +"

                                                                                  La préparation du matériel de" +" recherche pour son éventuel conservation implique une variét&ea" +"cute; de tâches pouvant présenter des coûts qu’il est" +" préférable de budgétiser dans la demande de financement." +" À cette fin, un mo" +"dèle de coûts peut-&ec" +"irc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (liens en anglais).

                                                                                  \n" +"

                                                                                  Intégrer cette estimation de co&ucir" +"c;t dans la section Responsabilit&e" +"acute;s et ressources.

                                                                                  " +"\n" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " msgid "" -"Once a standard has been chosen, it is importa" -"nt that data collectors have the necessary tools to properly create or capture" -" the metadata. Audits of collected meta" -"data should occur at specific time intervals (e.g., bi-weekly) to ensure metad" -"ata is created properly and captured consistently throughout the project.

                                                                                  Some tips for ensuring good met" -"adata collection are:
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Provide support documentation and routine metadata training to data collec" -"tors.
                                                                                  • -\n" -"
                                                                                  • Provide data collectors with thorough data" -" collection tools (e.g., field or lab sheets) so they are able to capture the " -"necessary information.
                                                                                  • -\n" -"
                                                                                  • Samples or notes recorded in a field or la" -"b book should be scanned or photographed daily to prevent lost data. -\n" -"
                                                                                  " +"

                                                                                  If applicable, retrieve written consent from an institution's ethics approv" +"al process. If the research involves human participants, verify that the conte" +"nt of the various sections of this DMP is consistent with the consent form sig" +"ned by the participants.

                                                                                  \n" +"

                                                                                  Describes anticipated data sharing issues w" +"ithin the team, their causes, and possible measures to mitigate them. <" +"span style=\"font-weight: 400;\">Read more about data security at UK Data Service." +"

                                                                                  " msgstr "" -"Une fois qu’une norme a été" -"; choisie, il est important que les collecteurs de données disposent de" -"s outils nécessaires pour créer ou saisir correctement les m&eac" -"ute;tadonnées. Les vérifications des métadonnées c" -"ollectées doivent avoir lieu à des intervalles de temps sp&eacut" -"e;cifiques (par exemple, toutes les deux semaines) pour garantir que les m&eac" -"ute;tadonnées sont créées correctement et saisies de mani" -"ère cohérente tout au long du projet.

                                                                                  Voici quelques " -"conseils pour assurer une bonne collecte de métadonnées : -\n" -"
                                                                                    -\n" -"
                                                                                  • Offrez une documentation de soutien et de " -"la formation régulière sur les métadonnées aux col" -"lecteurs de données ;
                                                                                  • -\n" -"
                                                                                  • Fournissez aux collecteurs de donné" -"es des outils de collecte de données complets (par exemple, des fiches " -"de terrain ou de laboratoire) afin qu’ils soient en mesure de saisir les" -" informations nécessaires ;
                                                                                  • -\n" -"
                                                                                  • Les échantillons ou notes enregistr" -"és dans un carnet de terrain ou de laboratoire doivent être num&e" -"acute;risés ou photographiés quotidiennement pour éviter " -"la perte de données.
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Le cas échéant, obtenir le co" +"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" +"

                                                                                  Si la recherche implique des participants h" +"umains, vérifier que le contenu des diverses sections de ce PGD est con" +"forme au formulaire de consentement signé par les participants.<" +"/p>\n" +"

                                                                                  Décrire les problèmes pr&eacu" +"te;vus en matière de partage des données au sein de l’&eac" +"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" +"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " msgid "" -"Storage-space estimates should take into accou" -"nt requirements for file versioning, backups and growth over time. A long-term storage plan is necessary if you inten" -"d to retain your data after the research project.
                                                                                  " +"

                                                                                  If applicable, pay close attention to the a" +"ppropriateness of the content in the Sharing and Reuse section with t" +"he consent forms signed by participants. Anonymizing data can reassure partici" +"pants while supporting the development of a data sharing culture. Learn more a" +"bout anonymization: UBC Library, UK Data Service, or Réseau P" +"ortage.

                                                                                  \n" +"

                                                                                  Also make sure that metadata does not discl" +"ose sensitive data.

                                                                                  \n" +"

                                                                                  Explain how access requests to research dat" +"a containing sensitive data will be managed. What are the access conditions? W" +"ho will monitor these requests? What explanations should be provided to applic" +"ants?

                                                                                  " msgstr "" -"Les estimations de l’espace de stockage " -"doivent tenir compte des besoins en matière de versions de fichiers, de" -" sauvegardes et de croissance au fil du temps. Un plan de stockage à lo" -"ng terme est nécessaire si vous avez l’intention de conserver vos" -" données après le projet de recherche." +"

                                                                                  Le cas échéant, portez une at" +"tention particulière à l’adéquation du contenu de l" +"a section Partage et réutili" +"sation avec les formulaires de con" +"sentement signés par les participants. L’anonymisation des donn&e" +"acute;es peut rassurer les participants tout en favorisant le développe" +"ment d’une culture du partage des données. En savoir plus sur l&r" +"squo;anonymisation: UBC Library, UK Data Service" +" (liens en anglais), ou le" +" Réseau Portage. <" +"/span>

                                                                                  \n" +"

                                                                                  Vérifier aussi que même les m&" +"eacute;tadonnées ne véhiculent pas des données sensibles." +"

                                                                                  \n" +"

                                                                                  Expliquer comment seront traitées le" +"s demandes d’accès au matériel de recherche contenant des " +"données sensibles. Sous quelles conditions l’accès est-il " +"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" +"tre fournies aux demandeurs?

                                                                                  " msgid "" -"

                                                                                  The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite. Data may be stored using optical or magnetic media, which can be remova" -"ble (e.g., DVD and USB drives), fixed (e.g., desktop or laptop hard drives), o" -"r networked (e.g., networked drives or cloud-based servers such as Compute Ca" -"nada). Each storage method has bene" -"fits and drawbacks that should be considered when determining the most appropr" -"iate solution.

                                                                                  Raw data shou" -"ld be preserved and never altered. Some options for preserving raw data are st" -"oring on a read-only drive or archiving the raw, unprocessed data. The preserv" -"ation of raw data should be included in the data collection process and backup" -" procedures.

                                                                                  Examples of fur" -"ther information on storage and backup practices are available from the" -" University of Toronto and the UK Data Service<" -"/a>.

                                                                                  " +"

                                                                                  Describe the allocation of copyrights between members of the research team " +"and external copyright holders (include libraries, archives and museums). Veri" +"fy that the licenses to use the research materials identified in the Shari" +"ng and Reuse section are consistent with the description in this section." +"

                                                                                  \n" +"

                                                                                  If commercial activities are involved in yo" +"ur research project, there are legal aspects to consider regarding the protect" +"ion of private information. Compliance with privacy laws and intellectual property legislation" +" may impose data access restriction" +"s. This issue can be discussed with a resource person.

                                                                                  " msgstr "" +"

                                                                                  Décrire la répartition des dr" +"oits entre les membres de l’équipe de recherche et des dét" +"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" +"cute;es). Vérifier que les licences d’utilisation du matér" +"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." +"

                                                                                  \n" +"

                                                                                  Si des activités commerciales se joi" +"gnent à votre projet de recherche, des aspects légaux sont &agra" +"ve; considérer quant à la protection des renseignements priv&eac" +"ute;s. La conformité aux lois su" +"r la protection des renseignements personnels et à la pr" +"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" +"stion peut être discutée avec une personne ressource<" +"span style=\"font-weight: 400;\">.

                                                                                  " msgid "" -"An ideal shared data management solution facil" -"itates collaboration, ensures data security and is easily adopted by users wit" -"h minimal training. Tools such as the Globus file transfer system, currently in use by many academic institutions, all" -"ows data to be securely transmitted between researchers or to centralized proj" -"ect data storage. Relying on email for data transfer is not a robust or secure" -" solution. 

                                                                                  Third-party" -" commercial file sharing services (such as Google Drive and Dropbox) facilitat" -"e file exchange, but they are not necessarily permanent or secure, and are oft" -"en located outside Canada. Additional r" -"esources such as Open Science Framework and Com" -"pute Canada are also recommended op" -"tions for collaborations. 
                                                                                  If your data will be collected on Indigenous lands, how will you share dat" -"a with community members throughout the project? 

                                                                                  Please contact librarians at your institution to de" -"termine if there is support available to develop the best solution for your re" -"search project.
                                                                                  " +"Exemple : Signalement dans un" +" dépôt de données de reconnu, attribution d’un ident" +"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" +"), signalement dans les listes de diffusion et" +" réseaux sociaux." msgstr "" -"Une solution idéale de gestion des donn" -"ées partagées facilite la collaboration, assure la sécuri" -"té des données et est facilement adoptée par les utilisat" -"eurs avec un minimum de formation. Des outils tels que le système de tr" -"ansfert de fichiers Globus (lien en<" -"/em> anglais), actuellement utilisé par de nombreux éta" -"blissements universitaires, permettent de transmettre les données en to" -"ute sécurité entre les chercheurs ou de centraliser le stockage " -"des données des projets. L’utilisation du courrier électro" -"nique pour le transfert de données n’est pas une solution robuste" -" ou sûre.

                                                                                  Les service" -"s de partage de fichiers commerciaux tiers (tels que Google Drive et Dropbox) " -"facilitent l’échange de fichiers, mais ils ne sont pas néc" -"essairement permanents ou sécurisés et ils sont souvent situ&eac" -"ute;s à l’extérieur du Canada. Des ressources supplé" -";mentaires telles que Open Science Framework (lien en anglais
                                                                                  ) et Cal" -"cul Canada sont également des options recommandées pour les " -"collaborations.
                                                                                   

                                                                                  Si vous collectez des données sur des" -" terres autochtones, comment allez-vous partager les données avec les m" -"embres de la communauté tout au long du projet ?

                                                                                  Veuillez communiquer avec les biblioth&eac" -"ute;caires de votre établissement afin de déterminer s’il " -"existe un soutien disponible pour développer la meilleure solution pour" -" votre projet de recherche.
                                                                                  " +"Exemple : Signalement dans un" +" dépôt de données de reconnu, attribution d’un ident" +"ifiant pérenne comme DOI - voir le guide du projet FREYA (lien en anglais" +"), signalement dans les listes de diffusion et" +" réseaux sociaux." msgid "" -"Describe the roles and responsibilities of all" -" parties with respect to the management of the data. Consider the following:
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • If there are multiple investigators involv" -"ed, what are the data management responsibilities of each investigator? <" -"/span>
                                                                                  • -\n" -"
                                                                                  • If data will be collected by students, cla" -"rify the student role versus the principal investigator role, and identify who" -" will hold theIntellectual Property rights.  
                                                                                  • -\n" -"
                                                                                  • Will training be required to perform the d" -"ata collection or data management tasks? If so, how will this training be admi" -"nistered and recorded? 
                                                                                  • -\n" -"
                                                                                  • Who will be the primary person responsible" -" for ensuring compliance with the Data Management Plan during all stages of th" -"e data lifecycle?
                                                                                  • -\n" -"
                                                                                  • Include the time frame associated with the" -"se staff responsibilities and any training needed to prepare staff for these d" -"uties.
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Pour optimiser la diffusion du matér" +"iel de recherche, suivre le plus possible les principes FAIR. L’<" +"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" +"sessment-tool/\">Australian Research Data Commo" +"ns offre un outil d’év" +"aluation du respect de ces principes qui est très facile d'utilisation " +"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" +" (tant numériques que physiq" +"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" +"cute;cupérable par d’autres outils et le citer dans les publicati" +"ons savantes, publication d’un article de données dans une revue " +"en libre accès comme Research Data Jour" +"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  \n" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " msgstr "" -"Décrivez les rôles et les respons" -"abilités de toutes les parties en ce qui concerne la gestion des donn&e" -"acute;es. Considérez les points suivants :
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • S’il y a plusieurs chercheurs, quell" -"es sont les responsabilités de chaque chercheur en matière de ge" -"stion des données ?
                                                                                  • -\n" -"
                                                                                  • Si des étudiants collectent les don" -"nées, clarifiez le rôle de l’étudiant par rapport au" -" rôle du chercheur principal et déterminez qui détiendra l" -"es droits de propriété intellectuelle. 
                                                                                  • -\n" -"
                                                                                  • Une formation sera-t-elle nécessair" -"e pour effectuer les tâches de collecte ou de gestion des données" -" ? Si oui, comment cette formation sera-t-elle administrée et en" -"registrée ?
                                                                                  • -\n" -"
                                                                                  • Qui sera la principale personne charg&eacu" -"te;e de veiller au respect du plan de gestion des données à tous" -" les stades du cycle de vie des données ?
                                                                                  • -\n" -"
                                                                                  • Indiquez l’échéancier " -"associé aux responsabilités du personnel et les formations n&eac" -"ute;cessaires pour préparer le personnel à ces tâches.
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Pour optimiser la diffusion du matér" +"iel de recherche, suivre le plus possible les principes FAIR. L’<" +"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" +"sessment-tool/\">Australian Research Data Commo" +"ns offre un outil d’év" +"aluation du respect de ces principes qui est très facile d'utilisation " +"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" +" (tant numériques que physiq" +"ues; lien en anglais).

                                                                                  Pour rendre le matériel r&ea" +"cute;cupérable par d’autres outils et le citer dans les publicati" +"ons savantes, publication d’un article de données dans une revue " +"en libre accès comme Research Data Jour" +"nal for the Humanities and Social Sciences (lien en anglais).

                                                                                  \n" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " msgid "" -"Indicate a succession strategy for these data " -"in the event that one or more people responsible for the data leaves (e.g., a " -"student leaving after graduation). Desc" -"ribe the process to be followed in the event that the Principal Investigator l" -"eaves the project. In some instances, a co-investigator or the department or d" -"ivision overseeing this research will assume responsibility." +"

                                                                                  If the DMP is at the funding application st" +"age, focus on cost-incurring activities in order to budget as accurately as po" +"ssible research data management in the funding application.

                                                                                  \n" +"

                                                                                  Activities that should be documented: draft" +"ing and updating the DMP; drafting document management procedures (naming rule" +"s, backup copies, etc.); monitoring document management procedure implementati" +"on; conducting the quality assurance process; designing and updating the succe" +"ssion plan; drafting the documentation; assessing the retention period; assess" +"ing data management costs; managing sensitive data; managing licences and inte" +"llectual property; choosing the final data repository location; and preparing " +"research data for the final repository.

                                                                                  " msgstr "" -"Indiquez une stratégie de relève" -" pour ces données au cas où une ou plusieurs personnes responsab" -"les des données quitteraient le projet (par exemple, un étudiant" -" qui quitte le projet après avoir obtenu son diplôme). Déc" -"rivez le processus à suivre si le chercheur principal quitte le projet." -" Dans certains cas, un co-chercheur ou le département ou la division qu" -"i supervise cette recherche en assumera la responsabilité." +"

                                                                                  Si le PGD est à l’étape" +" d’accompagnement d’une subvention, documenter en priorité " +"les tâches associées à des coûts afin de budgé" +";tiser le plus précisément possible la gestion des donnée" +"s de recherche avec la demande de financement.

                                                                                  \n" +"

                                                                                  Suggestion de tâches à documen" +"ter : Rédaction et mise à jour du PGD, Rédaction des" +" procédure de gestion documentaire (règle de nommage, copies de " +"sécurité...), Suivi de la mise en application des procédu" +"res de gestion documentaire, Conduite du processus d’assurance qualit&ea" +"cute;, Conception et mise à jour du plan de relève, Rédac" +"tion de la documentation, Évaluation de la durée de conservation" +", Évaluation des coûts de gestion des données, Gestion des" +" données sensibles, Gestion des licences et propriété int" +"ellectuelle, Choix du lieu de dépôt final des données, Pr&" +"eacute;paration du matériel de recherche pour le dépôt fin" +"al.

                                                                                  " msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project and those required for longer-term suppor" -"t for the data when the project is finished, such as the cost of preparing&nbs" -"p; your data for deposit and repository fees. Some funding agencies state explicitly the support that they will provi" -"de to meet the cost of preparing data for deposit. This might include technica" -"l aspects of data management, training requirements, file storage & backup" -" and contributions of non-project staff. Can you leverage existing resources, such as Compute Canada Resources, Unive" -"rsity Library Data Services, etc. to support implementation of your DMP?
                                                                                  " -"

                                                                                  To help assess costs, OpenAIRE&rs" -"quo;s ‘estimating costs RDM tool’ may be useful. " +"Taking into account all the aspects in the pre" +"vious sections, estimate the overall cost of implementing the data management " +"plan. Consider both the management activities required during the active phase" +" of the project and the preservation phase. Some of these costs may be covered" +" by funding agencies." msgstr "" -"Cette estimation doit intégrer les co&u" -"circ;ts de gestion des données encourus pendant le projet et ceux requi" -"s pour le soutien à plus long terme des données lorsque le proje" -"t est terminé, comme le coût de préparation de vos donn&ea" -"cute;es pour le dépôt et les frais de dépôt. Certain" -"s organismes de financement indiquent explicitement le soutien qu’ils ap" -"porteront pour couvrir le coût de la préparation des donné" -"es en vue de leur dépôt. Cela peut inclure les aspects techniques" -" de la gestion des données, les besoins en formation, le stockage et la" -" sauvegarde des fichiers et les contributions du personnel en dehors du projet" -". Pouvez-vous tirer parti des ressources existantes, telles que les ressources" -" de Calcul Canada, les services de données des bibliothèques uni" -"versitaires, etc. pour soutenir la mise en œuvre de votre PGD ?
                                                                                  Pour aider à év" -"aluer les coûts, l’outil d&rs" -"quo;estimation des coûts de GDR d’OpenAIRE peut être utile (lien en anglais)." -" " +"Considérant la réflexion faite d" +"ans les sections précédentes, estimer le coût total pour a" +"ssurer l’application du plan de gestion des données. Tenir compte" +" autant des activités de gestion requises pendant la phase active du pr" +"ojet que pour la phase de conservation. Une partie de ces coûts pourraie" +"nt être couverts par le financement octroyé par des organismes su" +"bventionnaires." + +msgid "" +"A clas" +"sification system is a useful tool," +" especially if you work with original manuscripts or non-digital objects (for " +"example, manuscripts in binders). Provide the description of your classificati" +"on system in this plan or provide reference to the documents containing it. " +msgstr "" +"Un syst&" +"egrave;me de classification est un " +"instrument utile, surtout si vous travaillez avec des manuscrits originaux ou " +"des objets non-numériques (par exemple, des manuscrits dans des classeu" +"rs). Fournir la description de votre système de classification dans ce " +"plan ou fournir la référence aux documents contenant celle-ci. <" +"/span>" msgid "" -"Use all or parts of existing strategies to mee" -"t your requirements." +"

                                                                                  Naming conventions should be developed. Pro" +"vide the description of your naming and versioning procedure in this plan or p" +"rovide reference to documents containing it. Read more about file naming and v" +"ersion control at UK Data Service" +".

                                                                                  " msgstr "" -"Utilisez des stratégies existantes en e" -"ntier ou en partie pour répondre à vos besoins." +"

                                                                                  Fournir la description de votre procé" +";dure de nommage et de versionnage dans ce plan ou fournir la réf&eacut" +"e;rence aux documents contenant celle-ci. Lire davantage sur le nommage de fichiers et le contrôle des ver" +"sions : UK Data Service (" +"lien en anglais). 

                                                                                  " msgid "" -"

                                                                                  In these instances, it is critical to asses" -"s whether data can or should be shared. It is necessary to comply with:" -"

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Data treatment p" -"rotocols established by the Research Ethics Board (REB) process, including dat" -"a collection consent, privacy considerations, and potential expectations of da" -"ta destruction;
                                                                                  • -\n" -"
                                                                                  • Data-sharing agr" -"eements or contracts.  Data that you source or derive from a third party " -"may only be shared in accordance with the original data sharing agreements or " -"licenses;
                                                                                  • -\n" -"
                                                                                  • Any relevant leg" -"islation.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Note:  If raw " -"or identifiable data cannot be shared, is it possible to share aggregated data" -", or to de-identify your data, or coarsen location information for sharing? If" -" data cannot be shared, consider publishing descriptive metadata (data about t" -"he data), documentation and contact information that will allow others to disc" -"over your work.

                                                                                  " +"e.g. fi" +"eld notebook, information log, committee implementation, tools such as " +"OpenRefine or " +"QAMyData; consistency with standard" +"s. " msgstr "" -"

                                                                                  Dans ces cas, il est essentiel d’évaluer si les données" -" peuvent ou doivent être partagées. Vous devez vous conformer aux" -" :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Protocoles de tr" -"aitement des données établis par le processus du comité d" -"’éthique de la recherche (CER), y compris le consentement à" -"; la collecte des données, les considérations relatives à" -" la vie privée et les attentes potentielles en matière d’&" -"eacute;limination des données ;
                                                                                  • -\n" -"
                                                                                  • Ententes ou cont" -"rats de partage de données. Les données que vous fournissez ou q" -"ue vous obtenez d’un tiers ne peuvent être partagées que co" -"nformément aux ententes ou licences de partage de données origin" -"ales ;
                                                                                  • -\n" -"
                                                                                  • Toute lég" -"islation pertinente.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Notez :  Si des donn&" -"eacute;es brutes ou identificatoires ne peuvent pas être partagée" -"s, est-il possible de partager des données agrégées, de d" -"épersonnaliser vos données ou de généraliser les r" -"enseignements de localisation pour les partager ? Si les données" -" ne peuvent pas être partagées, envisagez de publier des mé" -";tadonnées descriptives (données sur les données), de la " -"documentation et les coordonnées personnelles qui permettront à " -"d’autres personnes de découvrir votre travail.

                                                                                  " +"Ex. : carnet de terrain, tenu d’un journ" +"al, mise en place d’un comité, utilisation d’outils comme <" +"a href=\"https://openrefine.org/\">OpenRefine ou QAMyData (liens en anglai" +"s); correspondance avec des normes. " msgid "" -"

                                                                                  Think about what data needs to be shared to" -" meet institutional or funding requirements, and what data may be restricted b" -"ecause of confidentiality, privacy, or intellectual property considerations.

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Raw data are unprocessed data directly obtained from sampling, field instrume" -"nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" -"p; Sharing raw data is valuable because it enables researchers to evaluate new" -" processing techniques and analyse disparate datasets in the same way. 
                                                                                  • -\n" -"
                                                                                  • Processed data results from some manipulation of the raw data in order to eli" -"minate errors or outliers, to prepare the data for analysis or preservation, t" -"o derive new variables, or to de-identify the sampling locations. Processing s" -"teps need to be well described.
                                                                                  • -\n" -"
                                                                                  • Analyzed data are the results of qualitative, statistical, or mathematical an" -"alysis of the processed data. They may  be presented as graphs, charts or" -" statistical tables.
                                                                                  • -\n" -"
                                                                                  • Final data are processed " -"data that have undergone a review process to ensure data quality and, if neede" -"d, have been converted into a preservation-friendly format.
                                                                                  • -\n" -"
                                                                                  " +"You may want to systematically include a documentation section in project prog" +"ress reports or link quality assurance activities to the documentation. It is " +"good practice to ensure that data management is included in the tasks of desig" +"nated individuals." msgstr "" -"

                                                                                  Réfléchissez aux donné" -"es qui doivent être partagées pour répondre aux exigences " -"de l’établissement ou de l’entente de financement et aux do" -"nnées qui peuvent être restreintes pour des raisons de confidenti" -"alité, de respect de la vie privée ou de propriété" -" intellectuelle.

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Les données brutes sont des don" -"nées non traitées obtenues directement par échantillonnag" -"e, instruments de terrain, instruments de laboratoire, modélisation, si" -"mulation ou enquête. Le partage des données brutes est pré" -"cieux, car il permet aux chercheurs d’évaluer de nouvelles techni" -"ques de traitement et d’analyser des ensembles de données dispara" -"tes de la même manière.
                                                                                  • -\n" -"
                                                                                  • Les données traitées r&e" -"acute;sultent d’une certaine manipulation des données brutes afin" -" d’éliminer les erreurs ou les valeurs aberrantes, de prép" -"arer les données pour l’analyse ou la conservation, de dér" -"iver de nouvelles variables ou d’anonymiser les lieux d’éch" -"antillonnage. Les étapes de traitement doivent être bien dé" -";crites.
                                                                                  • -\n" -"
                                                                                  • Les données analysées so" -"nt les résultats d’une analyse qualitative, statistique ou math&e" -"acute;matique des données traitées. Elles peuvent être pr&" -"eacute;sentées sous forme de graphiques, de diagrammes ou de tableaux s" -"tatistiques.
                                                                                  • -\n" -"
                                                                                  • Les données finales sont des do" -"nnées traitées qui ont fait l’objet d’un processus d" -"e révision pour garantir la qualité des données et, si n&" -"eacute;cessaire, ont été converties dans un format adapté" -" à la conservation.
                                                                                  • -\n" -"
                                                                                  " +"Vous voulez peut-être inclure syst&eacut" +"e;matiquement une section documentation dans les rapports d’étape" +" du projet ou liez les activités d’assurance qualité &agra" +"ve; la documentation. Il s’agit d’une bonne pratique d’assur" +"er la gestion des données est incluse dans les tâches de personne" +"s désignées. " msgid "" -"Data repositor" -"ies help maintain scientific data over time and support data discovery, reuse," -" citation, and quality. Researchers are encouraged to deposit data in leading " -"“domain-specific” repositories, especially those that are FAIR-ali" -"gned, whenever possible.
                                                                                  -\n" -"

                                                                                  Domain-specific repositories for water quality data include:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • DataStream: A f" -"ree, open-access platform for storing, visualizing, and sharing water quality " -"data in Canada.
                                                                                  • -\n" -"
                                                                                  • Canadian Aquatic Biomonitoring Network (CABIN)" -": A national biomonitoring program developed b" -"y Environment and Climate Change Canada that provides a standardized sampling " -"protocol and a recommended assessment approach for assessing aquatic ecosystem" -" condition.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  General Repositories:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Federated Research Data Repository: A scalable federated platform for digital research d" -"ata management (RDM) and discovery.
                                                                                  • -\n" -"
                                                                                  • Institution-spec" -"ific Dataverse: Please contact your institution’s library to see if this" -" is a possibility.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Other resources:

                                                                                  -\n" -"" +"

                                                                                  A metadata schema is very useful to systematize the description of rese" +"arch material while making it readable by computers, thus contributing to a be" +"tter dissemination of this material (e.g.: see R&ea" +"cute;seau Info-Musée [link in French] or Cataloging Cultura" +"l Objects). However, their use may result in a loss of information on prov" +"enance or contextualization, so ensure that this documentation is present else" +"where.

                                                                                  \n" +"

                                                                                  Resource for exploring and identifying meta" +"data schemas that may be helpful: RDA Metadata Directory.

                                                                                  \n" +"

                                                                                  Resources for exploring controlled vocabula" +"ries: CIDOC/ICOM Conceptual Reference Mode" +"l, Linked Open Vocabulari" +"es. If needed, contact a DMP resource person at your institution" +".

                                                                                  " msgstr "" -"Les dép" -"ôts de données aident à maintenir les données scien" -"tifiques dans le temps et favorisent la découverte, la réutilisa" -"tion, la citation et la qualité des données. Les chercheurs sont" -" encouragés à déposer les données dans des d&eacut" -"e;pôts de premier plan \"spécifiques à un domaine\", en part" -"iculier ceux qui respectent les principes FAIR, dans la mesure du possible. -\n" -"

                                                                                  Les dépôts de données spécifiques &agrav" -"e; la qualité de l’eau comprennent :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • DataStream " -";: une plateforme gratuite en libre acc" -"ès pour le stockage, la visualisation et le partage des données " -"sur la qualité de l’eau au Canada (lien en anglais).
                                                                                  • -\n" -"
                                                                                  • Réseau canadien de biosurveillance aqu" -"atique (RCBA) : un programme national de biosurveillance dével" -"oppé par Environnement et changement climatique Canada qui fournit un p" -"rotocole d’échantillonnage standardisé et une approche d&r" -"squo;évaluation recommandée pour évaluer l’é" -"tat des écosystèmes aquatiques.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Dépôts généraux :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Dépôt fédér&eacu" -"te; de données de recherche&" -"nbsp;: une plateforme fédérée évolutive pour la ge" -"stion et la découverte des données de recherche numérique" -" (GDR).
                                                                                  • -\n" -"
                                                                                  • Dataverse par &e" -"acute;tablissement : veuillez communiquer avec la bibliothèque de " -"votre établissement pour savoir si vous avez cette option.
                                                                                  • -" +"

                                                                                    Un s" +"chéma de métadonnées (lien en anglais) est très utile pour syst&eac" +"ute;matiser la description du matériel de recherche tout en la rendant " +"lisible par les ordinateurs, contribuant ainsi à une meilleure diffusio" +"n de ce matériel (ex. : voir Réseau Info-Musée ou Cataloging Cultural Objec" +"ts [lien en anglais]). Leu" +"r utilisation peut toutefois entraîner une perte d’information sur" +" la provenance ou la contextualisation, donc s’assurer que cette documen" +"tation est présente ailleurs.

                                                                                    \n" +"

                                                                                    Ressource pour explorer et identifier des s" +"chémas de métadonnées qui pourraient vous être util" +"es : RDA Metadata Directory (lien en anglais). 

                                                                                    \n" +"

                                                                                    Ressources pour explorer des vocabulaires c" +"ontrôlés : Conceptual Reference Model du CIDOC / ICOM, Linked Open Vocabularies (lien" +"s en anglais). Au besoin, communiq" +"uer avec une personne ressource.

                                                                                    " + +msgid "" +"

                                                                                    La préparation du matériel de" +" recherche pour son éventuelle conservation implique une variét&" +"eacute; de tâches pouvant présenter des coûts qu’il e" +"st préférable de budgétiser dans la demande de financemen" +"t. À cette fin, un " +"modèle de coûts peut-&" +"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" +"liens en anglais).

                                                                                    \n" +"

                                                                                    Intégrer cette estimation de co&ucir" +"c;t dans la section Responsabilit&e" +"acute;s et ressources.

                                                                                    " "\n" -"
                                                                                  -\n" -"

                                                                                  Autres ressources :

                                                                                  -\n" -"" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " +msgstr "" +"

                                                                                  La préparation du matériel de" +" recherche pour son éventuelle conservation implique une variét&" +"eacute; de tâches pouvant présenter des coûts qu’il e" +"st préférable de budgétiser dans la demande de financemen" +"t. À cette fin, un " +"modèle de coûts peut-&" +"ecirc;tre utile ou simplement les rubriques de base du UK Data Service Costing Tool (" +"liens en anglais).

                                                                                  \n" +"

                                                                                  Intégrer cette estimation de co&ucir" +"c;t dans la section Responsabilit&e" +"acute;s et ressources.

                                                                                  " +"\n" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " msgid "" -"Consider using preservation-friendly file form" -"ats. For example, non-proprietary formats, such as text (.txt) and comma-separ" -"ated (.csv), are considered preservation-friendly. For guidance, please see UBC Library" -", USGS, DataONE, or UK Data Service. Keep in mind that files converted from one format" -" to another may lose information (e.g., converting from an uncompressed TIFF f" -"ile to a compressed JPG file degrades image quality), so changes to file forma" -"ts should be documented. 

                                                                                  Some data you collect may be deemed sensitive and require unique preservati" -"on techniques, including anonymization. Be sure to note what this data is and " -"how you will preserve it to ensure it is used appropriately. Read more about a" -"nonymization: UBC Library or UK Data Service." -<<<<<<< HEAD +"

                                                                                  If applicable, retrieve written consent fro" +"m an institution's ethics approval process. If the research involves human par" +"ticipants, verify that the content of the various sections of this DMP is cons" +"istent with the consent form signed by the participants.

                                                                                  \n" +"

                                                                                  Describes anticipated data sharing issues w" +"ithin the team, their causes, and possible measures to mitigate them. Read mor" +"e about data security at UK Data Service<" +"span style=\"font-weight: 400;\">.

                                                                                  " msgstr "" -"Envisagez d’utiliser des formats de fich" -"iers faciles à conserver. Par exemple, les formats non propriéta" -"ires, tels que le texte (.txt) et les fichiers séparés par des v" -"irgules (.csv), sont considérés comme favorables à la con" -"servation. Pour obtenir des conseils, veuillez consulter la Bibliothèque de l&rs" -"quo;Université de la C.-B., USGS, Da" -"taONE, ou les Service des données du Royaume-Uni (liens en anglais" -"). N’oubliez pas que les fichiers convertis d’un format &" -"agrave; un autre peuvent perdre des informations (par exemple, la conversion d" -"’un fichier TIFF non compressé en un fichier JPG compressé" -" dégrade la qualité de l’image), c’est pourquoi les " -"changements de format de fichier doivent être documentés.
                                                                                  <" -"br />
                                                                                  Certaines données que vous " -"collectez peuvent être considérées comme sensibles et n&ea" -"cute;cessitent des techniques de conservation uniques, notamment l’anony" -"misation. Veillez à noter la nature de ces données et la mani&eg" -"rave;re dont vous les conserverez afin de garantir leur utilisation appropri&e" -"acute;e. Pour en savoir plus sur l’anonymisation consulter la Bibliothèque de l’Université de " -"la C.-B. ou Service des données du Royaume-Uni (liens en " -"anglais)." +"

                                                                                  Le cas échéant, obtenir le co" +"nsentement écrit de la procédure d'approbation éthique de l'institution.

                                                                                  \n" +"

                                                                                  Si la recherche implique des participants h" +"umains, vérifier que le contenu des diverses sections de ce PGD est con" +"forme au formulaire de consentement signé par les participants.<" +"/p>\n" +"

                                                                                  Décrire les problèmes pr&eacu" +"te;vus en matière de partage des données au sein de l’&eac" +"ute;quipe ainsi que leurs causes et les mesures possibles pour les atté" +"nuer. Lire sur la sécurité des données: UK Data Service (lien en anglais).

                                                                                  " msgid "" -"Licenses dictate how your data can be used. Fu" -"nding agencies and data repositories may have end-user license requirements in" -" place; if not, they may still be able to guide you in choosing or developing " -"an appropriate license. Once determined, please consider including a copy of y" -"our end-user license with your Data Management Plan. Note that only the intell" -"ectual property rights holder(s) can issue a license, so it is crucial to clar" -"ify who owns those rights. 

                                                                                  There are several types of standard licenses available to researchers, su" -"ch as the Creative Commons licenses and the Open Data Commons licenses. For most datasets it is easier to use a standard license rat" -"her than to devise a custom-made one. Even if you choose to make your data par" -"t of the public domain, it is preferable to make this explicit by using a lice" -"nse such as Creative Commons' CC0. More about data licensing: UK DCC." +"

                                                                                  If applicable, pay close attention to the a" +"ppropriateness of the content in the Sharing and Reuse section with t" +"he consent forms signed by participants. Anonymizing data can reassure partici" +"pants while supporting the development of a data sharing culture. Learn more a" +"bout anonymization: UBC Library, UK Data Service, or the Portage Network.

                                                                                  \n" +"

                                                                                  Also make sure that metadata does not discl" +"ose sensitive data.

                                                                                  \n" +"

                                                                                  Explain how access requests to research dat" +"a containing sensitive data will be managed. What are the access conditions? W" +"ho will monitor these requests? What explanations should be provided to applic" +"ants?

                                                                                  " msgstr "" -"Les licences dictent la manière dont vo" -"s données peuvent être utilisées. Les organismes de financ" -"ement et les dépôts de données peuvent avoir des exigences" -" en matière de licences d’utilisation finale ; sinon, ils " -"peuvent toujours vous guider dans le choix ou l’élaboration d&rsq" -"uo;une licence appropriée. Une fois que vous aurez détermin&eacu" -"te; ces exigences, pensez à inclure une copie de votre licence d’" -"utilisateur final dans votre plan de gestion des données. Notez que les" -" détenteurs de droits de propriété intellectuelle sont le" -"s seuls à pouvoir délivrer une licence ; vous devez donc " -"absolument préciser qui détient ces droits.

                                                                                  <" -"span style=\"font-weight: 400;\">Il y a plusieurs types de licences standard &ag" -"rave; la disposition des chercheurs telles que les licences Cre" -"ative Commons et les licences Open Data Commons (lien en anglais). Pour la plupart des ensembles de données, il est plus fa" -"cile d’utiliser une licence standard plutôt que de concevoir une l" -"icence sur mesure. Même si vous choisissez de faire entrer vos donn&eacu" -"te;es dans le domaine public, il est préférable de le faire de m" -"anière explicite en utilisant une licence telle que la CCO de Creative " -"Commons. Pour en savoir plus sur les licences, consultez : UK DCC (lien en anglais)." +"

                                                                                  Le cas échéant, portez une at" +"tention particulière à l’adéquation du contenu de l" +"a section Partage avec les formulaires de consentement signés " +"par les participants. L’anonymisation des données peut rassurer l" +"es participants tout en favorisant le développement d’une culture" +" du partage des données. En savoir plus sur l’anonymisation: UBC Library, UK Data Service (liens en angla" +"is), ou le Réseau" +" Portage

                                                                                  \n" +"

                                                                                  Vérifier aussi que même les m&" +"eacute;tadonnées ne véhiculent pas des données sensibles." +"

                                                                                  \n" +"

                                                                                  Expliquer comment seront traitées le" +"s demandes d’accès au matériel de recherche contenant des " +"données sensibles. Sous quelles conditions l’accès est-il " +"possible? Qui fera le suivi des demandes? Quelles explications doivent ê" +"tre fournies aux demandeurs?

                                                                                  " msgid "" -"

                                                                                  Possibilities include: data registries, rep" -"ositories, indexes, word-of-mouth, publications. How will the data be accessed" -" (Web service, ftp, etc.)? One of the best ways to refer other researchers to " -"your deposited datasets is to cite them the same way you cite other types of p" -"ublications. The Digital Curation Centre provides a detailed guide on data citation. S" -"ome repositories also create links from datasets to their associated papers, i" -"ncreasing the visibility of the publications. Read more at the National Instit" -"utes of Health’s Key Element" -"s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                                                                                  -\n" -"Contact librarians at your institution for ass" -"istance in making your dataset visible and easily accessible, or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca" +"

                                                                                  Describe the allocation of copyrights betwe" +"en members of the research team and external copyright holders (include librar" +"ies, archives and museums). Verify that the licenses to use the research mater" +"ials identified in the Sharing and " +"Reuse section are consistent with " +"the description in this section.

                                                                                  \n" +"

                                                                                  If commercial activities are involved in yo" +"ur research project, there are legal aspects to consider regarding the protect" +"ion of private information. Compliance with privacy laws and intellectual property legislation" +" may impose data access restriction" +"s. This issue can be discussed with a resource person." msgstr "" -"

                                                                                  Il existe plusieurs possibilités, no" -"tamment, les registres de données, les dépôts, les in" -"dex, le bouche-à-oreille et les publications. Comment les donnée" -"s seront-elles accessibles (service web, ftp, etc.) ? L’un des me" -"illeurs moyens de diriger d’autres chercheurs à vos ensembles de " -"données déposés est de les citer de la même mani&eg" -"rave;re que vous citez d’autres types de publications. Le Centre de cons" -"ervation numérique fournit un guide dé" -";taillé sur la citation de données (lien en angla" -"is). Certains dépôts cr&eacu" -"te;ent également des liens entre les ensembles de données et les" -" documents qui leur sont associés, ce qui augmente la visibilité" -" des publications. Pour en savoir plus, consultez le site des Instituts nation" -"aux de santé suivant : Éléments clés à prendre en compte dans l’&e" -"acute;laboration d’un plan de partage des données avec le soutien" -" en dehors des INS (lien en anglais).

                                                                                  -\n" -"Communiquez avec les bibliothécaires de" -" votre établissement pour obtenir de l’aide afin de rendre votre " -"ensemble de données visible et facilement accessible ou communiquez ave" -"c le coordinateur de la PGD de Portage à l’adresse suivante :&nbs" -"p;support@portagenetwork.ca.&nb" -"sp; " +"

                                                                                  Décrire la répartition des dr" +"oits entre les membres de l’équipe de recherche et des dét" +"enteurs externes (inclure les bibliothèques, les archives et les mus&ea" +"cute;es). Vérifier que les licences d’utilisation du matér" +"iel de recherche indiqué à la section Partage et réutilisation sont en adéquation avec la description de cette section." +"

                                                                                  \n" +"

                                                                                  Si des activités commerciales se joi" +"gnent à votre projet de recherche, des aspects légaux sont &agra" +"ve; considérer quant à la protection des renseignements priv&eac" +"ute;s. La conformité aux lois su" +"r la protection des renseignements personnels et à la pr" +"opriété intellectuelle peut donc imposer des contraintes d’accès au contenu. Cette que" +"stion peut être discutée avec une personne ressource<" +"span style=\"font-weight: 400;\">.

                                                                                  " msgid "" -"

                                                                                  The types of data you collect may include: " -"literature database records; PDFs of articles; quantitative and qualitative da" -"ta extracted from individual studies; a document describing your study protoco" -"l or other methods.

                                                                                  " +"Example: Reporting in a recognized data repository, attributi" +"on of a perennial identifier such as DOI (see the FREYA proje" +"ct guide), reporting in mailing lists and social networks." msgstr "" +"Exemple : Signalement dans un dé" +";pôt de données de reconnu, attribution d’un identifiant p&" +"eacute;renne comme DOI (voir le guide du projet FREYA; lien en anglais), signalement dans les listes de diffusion et ré" +"seaux sociaux." msgid "" -"

                                                                                  For a systematic review (or other knowledge" -" synthesis types of studies), data includes the literature you find, the data " -"that you extract from it, and the detailed methods and information that would " -"allow someone else to reproduce your results. To identify the data that will b" -"e collected or generated by your research project, start by thinking of the different stages of a systematic review a" -"nd how you are going to approach each: planning/protocol, data collection (lit" -"erature searching), study selection (screening), data extraction, risk of bias" -" assessment, synthesis, manuscript preparation.

                                                                                  " +"

                                                                                  To optimize the dissemination of research material, follow the FAIR princip" +"les as much as possible. The Australian Research Data Commons" +" offers an easy-to-use tool for assessing compliance with these principles" +". The Digita" +"l Curation Centre provides a detailed guide to data citation (both digital" +" and physical).

                                                                                  \n" +"

                                                                                  To make the material retrievable by other tools and to cite it in scholarly" +" publications, publish a data article in an open access journal such as the Research Data Journal for the Humanities and Soc" +"ial Sciences.

                                                                                  \n" +"

                                                                                  If necessary, contact a resource person or the DMP Coordinator at support@portagenetwork.ca.

                                                                                  " msgstr "" -"

                                                                                  Pour une revue systématique (ou d’autres ty" -"pes d’études de synthèse des connaissances), les données comprennent la littér" -"ature que vous trouvez, les données que vous en extrayez, et les méthodes et i" -"nformations détaillées qui permettraient à quelqu’un d’autre de reproduire vos" -" résultats. Pour identifier les données qui seront collectées ou générées par " -"votre projet de recherche, commencez p" -"ar réfléchir aux différentes étapes d’une revue systématique et à la manière d" -"ont vous allez les aborder : planification/protocole, collecte de données (rec" -"herche documentaire), sélection des études, extraction des données, évaluation" -" du risque de biais, synthèse, préparation du manuscrit.

                                                                                  " +"

                                                                                  Pour optimiser la diffusion du matér" +"iel de recherche, suivre le plus possible les principes FAIR. L’<" +"a href=\"https://ardc.edu.au/resources/working-with-data/fair-data/fair-self-as" +"sessment-tool/\">Australian Research Data Commo" +"ns offre un outil d’év" +"aluation du respect de ces principes qui est très facile d'utilisation " +"(lien en anglais). Le Digital Curation Centre fournit un guide détaillé sur la citation des données" +" (tant numériques que physiq" +"ues; lien en anglais).

                                                                                  \n" +"

                                                                                  Pour rendre le matériel récup" +"érable par d’autres outils et le citer dans les publications sava" +"ntes, publication d’un article de données dans une revue en libre" +" accès comme Research Data Journal for the Humanities and Social Sciences (lien en anglais).

                                                                                  " +"\n" +"

                                                                                  Consulter au besoin une personne ressource" +" ou contactez le Coordonnateur du P" +"GD à support@portagenetwork.ca.

                                                                                  " msgid "" -======= +"

                                                                                  Activities that should be documented: draft" +"ing and updating the DMP; drafting document management procedures (naming rule" +"s, backup copies, etc.); monitoring document management procedure implementati" +"on; conducting the quality assurance process; designing and updating the succe" +"ssion plan; drafting the documentation; assessing the retention period; assess" +"ing data management costs; managing sensitive data; managing licences and inte" +"llectual property; choosing the final data repository location; and preparing " +"research data for the final repository.

                                                                                  " msgstr "" -"Envisagez d’utiliser des formats de fich" -"iers faciles à conserver. Par exemple, les formats non propriéta" -"ires, tels que le texte (.txt) et les fichiers séparés par des v" -"irgules (.csv), sont considérés comme favorables à la con" -"servation. Pour obtenir des conseils, veuillez consulter la Bibliothèque de l&rs" -"quo;Université de la C.-B., USGS, Da" -"taONE, ou les Service des données du Royaume-Uni (liens en anglais" -"). N’oubliez pas que les fichiers convertis d’un format &" -"agrave; un autre peuvent perdre des informations (par exemple, la conversion d" -"’un fichier TIFF non compressé en un fichier JPG compressé" -" dégrade la qualité de l’image), c’est pourquoi les " -"changements de format de fichier doivent être documentés.
                                                                                  <" -"br />
                                                                                  Certaines données que vous " -"collectez peuvent être considérées comme sensibles et n&ea" -"cute;cessitent des techniques de conservation uniques, notamment l’anony" -"misation. Veillez à noter la nature de ces données et la mani&eg" -"rave;re dont vous les conserverez afin de garantir leur utilisation appropri&e" -"acute;e. Pour en savoir plus sur l’anonymisation consulter la Bibliothèque de l’Université de " -"la C.-B. ou Service des données du Royaume-Uni (liens en " -"anglais)." +"

                                                                                  Suggestion de tâches à documenter : Rédaction et mise &" +"agrave; jour du PGD, Rédaction des procédure de gestion document" +"aire (règle de nommage, copies de sécurité...), Suivi de " +"la mise en application des procédures de gestion documentaire, Conduite" +" du processus d’assurance qualité, Conception et mise à jo" +"ur du plan de relève, Rédaction de la documentation, Éval" +"uation de la durée de conservation, Évaluation des coûts d" +"e gestion des données, Gestion des données sensibles, Gestion de" +"s licences et propriété intellectuelle, Choix du lieu de d&eacut" +"e;pôt final des données, Préparation du matériel de" +" recherche pour le dépôt final.

                                                                                  " msgid "" -"Licenses dictate how your data can be used. Fu" -"nding agencies and data repositories may have end-user license requirements in" -" place; if not, they may still be able to guide you in choosing or developing " -"an appropriate license. Once determined, please consider including a copy of y" -"our end-user license with your Data Management Plan. Note that only the intell" -"ectual property rights holder(s) can issue a license, so it is crucial to clar" -"ify who owns those rights. 

                                                                                  There are several types of standard licenses available to researchers, su" -"ch as the Creative Commons licenses and the Open Data Commons licenses. For most datasets it is easier to use a standard license rat" -"her than to devise a custom-made one. Even if you choose to make your data par" -"t of the public domain, it is preferable to make this explicit by using a lice" -"nse such as Creative Commons' CC0. More about data licensing: UK DCC." +"Describe the process to be followed, the actio" +"ns to be taken, and the avenues to be considered to ensure ongoing data manage" +"ment if significant changes occur. Here are possible events to consider: a pri" +"ncipal investigator is replaced, a person designated in the assignment table c" +"hanges, a student who has finished their project related to research data in t" +"his DMP leaves." msgstr "" -"Les licences dictent la manière dont vo" -"s données peuvent être utilisées. Les organismes de financ" -"ement et les dépôts de données peuvent avoir des exigences" -" en matière de licences d’utilisation finale ; sinon, ils " -"peuvent toujours vous guider dans le choix ou l’élaboration d&rsq" -"uo;une licence appropriée. Une fois que vous aurez détermin&eacu" -"te; ces exigences, pensez à inclure une copie de votre licence d’" -"utilisateur final dans votre plan de gestion des données. Notez que les" -" détenteurs de droits de propriété intellectuelle sont le" -"s seuls à pouvoir délivrer une licence ; vous devez donc " -"absolument préciser qui détient ces droits.

                                                                                  <" -"span style=\"font-weight: 400;\">Il y a plusieurs types de licences standard &ag" -"rave; la disposition des chercheurs telles que les licences
                                                                                  Cre" -"ative Commons et les licences Open Data Commons (lien en anglais). Pour la plupart des ensembles de données, il est plus fa" -"cile d’utiliser une licence standard plutôt que de concevoir une l" -"icence sur mesure. Même si vous choisissez de faire entrer vos donn&eacu" -"te;es dans le domaine public, il est préférable de le faire de m" -"anière explicite en utilisant une licence telle que la CCO de Creative " -"Commons. Pour en savoir plus sur les licences, consultez : UK DCC (lien en anglais)." +"Indiquer les procédures à suivre, les actions à poser, le" +"s pistes à considérer pour assurer la poursuite de la gestion de" +"s données si des changements notables se présentent. Exemple d&r" +"squo;événements à considérer : remplacement de che" +"rcheur principal, changement de responsable désigné dans le tabl" +"eau des tâches, départ d’un étudiant ayant fini son " +"projet associé au matériel de recherche concerné dans ce " +"PGD." msgid "" -"

                                                                                  Possibilities include: data registries, rep" -"ositories, indexes, word-of-mouth, publications. How will the data be accessed" -" (Web service, ftp, etc.)? One of the best ways to refer other researchers to " -"your deposited datasets is to cite them the same way you cite other types of p" -"ublications. The Digital Curation Centre provides a detailed guide on data citation. S" -"ome repositories also create links from datasets to their associated papers, i" -"ncreasing the visibility of the publications. Read more at the National Instit" -"utes of Health’s Key Element" -"s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                                                                                  -\n" -"Contact librarians at your institution for ass" -"istance in making your dataset visible and easily accessible, or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca" +"The data source(s) for this project is/are the" +" <<INSERT NAME OF SURVEYS/ADMINISTRATIVE RECORDS APPROVED>>. The c" +"urrent version(s) is/are: <<Record number>>." msgstr "" -"

                                                                                  Il existe plusieurs possibilités, no" -"tamment, les registres de données, les dépôts, les in" -"dex, le bouche-à-oreille et les publications. Comment les donnée" -"s seront-elles accessibles (service web, ftp, etc.) ? L’un des me" -"illeurs moyens de diriger d’autres chercheurs à vos ensembles de " -"données déposés est de les citer de la même mani&eg" -"rave;re que vous citez d’autres types de publications. Le Centre de cons" -"ervation numérique fournit un guide dé" -";taillé sur la citation de données (lien en angla" -"is). Certains dépôts cr&eacu" -"te;ent également des liens entre les ensembles de données et les" -" documents qui leur sont associés, ce qui augmente la visibilité" -" des publications. Pour en savoir plus, consultez le site des Instituts nation" -"aux de santé suivant : Éléments clés à prendre en compte dans l’&e" -"acute;laboration d’un plan de partage des données avec le soutien" -" en dehors des INS (lien en anglais).

                                                                                  -\n" -"Communiquez avec les bibliothécaires de" -" votre établissement pour obtenir de l’aide afin de rendre votre " -"ensemble de données visible et facilement accessible ou communiquez ave" -"c le coordinateur de la PGD de Portage à l’adresse suivante :&nbs" -"p;support@portagenetwork.ca.&nb" -"sp; " +"

                                                                                  Les sources de données pour ce proje" +"t sont <<INSCRIRE LE NOM DES ÉTUDES/DOSSIERS ADMINISTRATIFS APPRO" +"UVÉS>>. Les versions actuelles sont : <<Numéro " +"d’enregistrement>>.

                                                                                  " + +msgid "" +"The record number is available on Statistics C" +"anada's website which can be accessed directly, or through our website: crdcn.org/dat" +"a. E.g. Aboriginal People's Survey " +"2017 Record number:3250 https://w" +"ww23.statcan.gc.ca/imdb/p2SV.pl?Function=getSurvey&SDDS=3250" +msgstr "" +"Le numéro d’enregistrement est di" +"sponible sur le site web de Statistique Canada ; on peut y accéd" +"er directement ou via notre site web crdcn.org/data. Par exemple : Enquête auprès des peuples autochto" +"nes 2017, Numéro d’enregistrement : 3250 https://www23.statcan.gc.ca/imdb/p2SV_f." +"pl?Function=getSurvey&SDDS=3250." msgid "" -"

                                                                                  The types of data you collect may include: " -"literature database records; PDFs of articles; quantitative and qualitative da" -"ta extracted from individual studies; a document describing your study protoco" -"l or other methods.

                                                                                  " +"External or Supplemental data are the data use" +"d for your research project that are not provided to you by Statistics Canada " +"through the Research Data Centre program." msgstr "" +"Les données externes ou supplémentaires sont les données " +"utilisées pour votre projet de recherche qui ne vous sont pas fournies " +"par Statistique Canada dans le cadre du programme des centres de donnée" +"s de recherche." msgid "" -"

                                                                                  For a systematic review (or other knowledge" -" synthesis types of studies), data includes the literature you find, the data " -"that you extract from it, and the detailed methods and information that would " -"allow someone else to reproduce your results. To identify the data that will b" -"e collected or generated by your research project, start by thinking of the different stages of a systematic review a" -"nd how you are going to approach each: planning/protocol, data collection (lit" -"erature searching), study selection (screening), data extraction, risk of bias" -" assessment, synthesis, manuscript preparation.

                                                                                  " +"Resources are available on the CRDCN website t" +"o help. A recommendation from CRDCN on how to document your research contribut" +"ions can be found here. For ideas on how to properly curate reproducible resea" +"rch, you can go here: https://labordy" +"namicsinstitute.github.io/replication-tutorial-2019/#/" msgstr "" -"

                                                                                  Pour une revue systématique (ou d’autres ty" -"pes d’études de synthèse des connaissances), les données comprennent la littér" -"ature que vous trouvez, les données que vous en extrayez, et les méthodes et i" -"nformations détaillées qui permettraient à quelqu’un d’autre de reproduire vos" -" résultats. Pour identifier les données qui seront collectées ou générées par " -"votre projet de recherche, commencez p" -"ar réfléchir aux différentes étapes d’une revue systématique et à la manière d" -"ont vous allez les aborder : planification/protocole, collecte de données (rec" -"herche documentaire), sélection des études, extraction des données, évaluation" -" du risque de biais, synthèse, préparation du manuscrit.

                                                                                  " +"Des ressources sont disponibles sur le site we" +"b du RCCDR pour vous aider. Vous trouverez ici une recommandation du RCCDR sur" +" la manière de documenter vos contributions à la recherche. Pour" +" des idées sur la façon de conserver des recherches reproductibl" +"es, vous pouvez consulter le site suivant : https://labordynamicsinstitute.github.io/replication-tutorial-2019/#/ (lien en anglais)." msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                                  Word, RTF, PDF, etc.: proj" -"ect documents, notes, drafts, review protocol, line-by-line search strategies," -" PRISMA or other reporting checklists; included studies

                                                                                  -\n" -"

                                                                                  RIS, BibTex, XML, txt: fil" -"es exported from literature databases or tools like Covidence

                                                                                  -\n" -"

                                                                                  Excel (xlsx, csv): search " -"tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" -"traction worksheets; meta-analysis data

                                                                                  -\n" -"

                                                                                  NVivo: qualitative synthes" -"is data

                                                                                  -\n" -"

                                                                                  TIF, PNG, etc.: images and" -" figures

                                                                                  -\n" -"

                                                                                  For more in-depth guidance, see “Data" -" Collection” in the University of Calgary Library Guide" -".

                                                                                  " +"Syntax: Any code used by the researcher to tra" +"nsform the raw data into the research results. This most commonly includes, bu" +"t is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code." msgstr "" -"

                                                                                  Word, RTF, PDF, etc.: docu" -"ments de projet, notes, ébauches, protocole de révision, stratégies de recherc" -"he ligne par ligne, PRISMA ou autres listes de contrôle de rapport; études inc" -"luses

                                                                                  RIS, BibTex, XML, txt: fichiers exportés à partir de bases de données bibliographiques " -"ou d'outils comme Covidence

                                                                                  Excel (xlsx, csv): " -"feuilles de calcul de suivi de recherche, feui" -"lles de travail de dépistage / sélection d'étude / évaluation, feuilles de tra" -"vail d'extraction de données; données de méta-analyse

                                                                                  NV" -"ivo: données de synthèse qualitative<" -"/span>

                                                                                  \n" -"

                                                                                  TIF, PNG, etc.: images et " -"figures

                                                                                  \n" -"

                                                                                  Pour obtenir des conseils plus détaillés, " -"reportez-vous à la section «Collecte de données» dans le &nbs" -"p; Guide de la bibliothèque de l'Univer" -"sité de Calgary (lien en anglais).

                                                                                  " +"La syntaxe est définie comme tout code utilisé par un chercheur " +"pour transformer les données brutes en résultats de recherche. G" +"énéralement, elle est sous forme de fichiers .do (Stata), de fic" +"hiers .sas (SAS) et de code .r (R)." msgid "" -"

                                                                                  If you plan to use systematic review softwa" -"re or reference management software for screening and data management, indicat" -"e which program you will use, and what format files will be saved/exported in." -"

                                                                                  -\n" -"

                                                                                  Keep in mind that proprietary file formats " -"will require team members and potential future users of the data to have the r" -"elevant software to open or edit the data. While you may prefer to work with d" -"ata in a proprietary format, files should be converted to non-proprietary form" -"ats wherever possible at the end of the project. Read more about file formats:" -" <" -"span style=\"font-weight: 400;\">UBC Library or UK Data Service.

                                                                                  " +"Because of the structure of the agreements und" +"er which supplemental data are brought into the RDC we highly recommend a para" +"llel storage and backup to simplify sharing of these research data. Note that " +"\"data\" here refers not only to the raw data, but to any and all data generated" +" in the course of conducting the research." msgstr "" -"

                                                                                  Si vous prévoyez utiliser un logiciel de re" -"vue systématique ou un logiciel de gestion des références pour la sélection et" -" la gestion des données, indiquez quel programme vous utiliserez et dans quel " -"format les fichiers seront sauvegardés ou exportés.

                                                                                  \n" -"

                                                                                  Notez que les formats de fichiers propriéta" -"ires nécessitent des logiciels appropriés pour que les membres de l’équipe et " -"les futurs utilisateurs potentiels des données puissent les ouvrir ou les modi" -"fier. Bien que vous puissiez préférer travailler avec des données dans un form" -"at propriétaire, les fichiers doivent être convertis en formats en libre accès" -" dans la mesure du possible à la fin du projet. Pour en savoir plus sur les fo" -"rmats de fichiers, consultez la Bibliothè" -"que de l’Université de la C.-B. ou le UK Data Service (lie" -"ns en anglais).

                                                                                  " +"Étant donné la structure des accords en vertu desquels les donn&" +"eacute;es supplémentaires sont introduites dans le CDR, nous recommando" +"ns fortement un stockage et une sauvegarde parallèles pour simplifier l" +"e partage de ces données de recherche. Notez que le terme «&thins" +"p;données » comprend les données brutes et toutes l" +"es données générées au cours de la recherche." msgid "" -"

                                                                                  Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" -"le

                                                                                  -\n" -"

                                                                                  Example: Sutton_2019_MeetingTheReview

                                                                                  -\n" -"

                                                                                  Suggested format - screening file for reviewers:<" -"span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials -\n" -"

                                                                                  Example: PetTherapy_ScreeningSet1_ZP" -"

                                                                                  -\n" -"For more examples, see “Data Collection&" -"rdquo; in the <" -"span style=\"font-weight: 400;\">University of Calgary Library Guide
                                                                                  <" -"span style=\"font-weight: 400;\">.
                                                                                  " +"

                                                                                  Consider also what file-format you will use" +". Will this file format be useable in the future? Is it proprietary?" msgstr "" -"

                                                                                  Format suggéré — Textes complets des &eacut" -"e;tudes incluses en PDF : N" -"omdeFamilledel’Auteur_Année_TroisPremiersMotsduFichier

                                                                                  " -" -\n" -"

                                                                                  Exemple : Sutton_2019_SommairedelaRevu" -"e

                                                                                  -\n" -"

                                                                                  Format suggéré — fichier de sélectio" -"n pour les réviseurs : NomduProjet_NomdelaTâche_InitialesduRéviseur

                                                                                  -\n" -"

                                                                                  Exemple : Zoothérapie_Ensembled" -"eSélection1_ZP

                                                                                  -\n" -"

                                                                                  Pour d’autres exemples, consultez la " -"rubrique « Collecte de données » du Guide de la bibliothèque de l’Université de Calgar" -"y (lien en anglais).

                                                                                  " +"

                                                                                  Considérez également le forma" +"t de fichier que vous utiliserez. Ce format de fichier sera-t-il utilisable &a" +"grave; l’avenir? Est-il propriétaire?

                                                                                  " msgid "" -"

                                                                                  It is important to keep track of different " -"copies or versions of files, files held in different formats or locations, and" -" information cross-referenced between files. Logical file structures, informat" -"ive naming conventions, and clear indications of file versions, all help ensur" -"e that you and your research team are using the appropriate version of your da" -"ta, and will minimize confusion regarding copies on different computers and/or" -" on different media.

                                                                                  -\n" -"

                                                                                  Read more about file naming and version con" -"trol: UBC Library or UK Data Archive" -".

                                                                                  -\n" -"Consider a naming convention that includes: th" -"e project name and date using the ISO standard for d" -"ates as required elements and stage" -" of review/task, version number, creator’s initials, etc. as optional el" -"ements as necessary." +"A tool provided by OpenAIRE can help researche" +"rs estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs." msgstr "" -"

                                                                                  Conservez une trace des différentes " -"copies ou versions de fichiers, des fichiers détenus dans différ" -"ents formats ou emplacements, et des informations croisées entre les fi" -"chiers. Des structures de fichiers logiques, des conventions de nomenclature i" -"nformatives et des indications claires sur les versions de fichiers aident &ag" -"rave; garantir que vous et votre équipe de recherche utilisez la versio" -"n appropriée de vos données et à minimiser la confusion p" -"ar rapport aux diverses copies sur différents ordinateurs ou supports.&" -"nbsp;

                                                                                  -\n" -"

                                                                                  Pour en savoir plus sur la nomenclature et " -"la gestion des versions de fichiers, consultez le site de la Bibliot" -"hèque de l’Université d'Ottawa ou de l’Archive de" -" données du Royaume-Uni (lien en anglais).

                                                                                  -\n" -"

                                                                                  Envisagez une convention de nomenclature qu" -"i comprend le nom du projet et la date en utilisant la norme ISO pour les dates comm" -"e éléments obligatoires et le stade de la révision ou de " -"la tâche, le numéro de version, les initiales du créateur," -" etc. comme éléments facultatifs si nécessaire." +"L’outil fourni suivant fourni par OpenAI" +"RE peut aider les chercheurs à estimer le coût de la gestion des " +"données de recherche https://www.o" +"penaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien en a" +"nglais)." + +msgid "" +"

                                                                                  Consider where, how, and to whom sensitive " +"data with acknowledged long-term value should be made available, and how long " +"it should be archived. Decisions should align with Research Ethics Board requi" +"rements. Methods used to share data will be dependent on the type, size, compl" +"exity and degree of sensitivity of data. Outline problems anticipated in shari" +"ng data, along with causes and possible measures to mitigate these. Problems m" +"ay include confidentiality, lack of consent agreements, or concerns about Inte" +"llectual Property Rights, among others.

                                                                                  \n" +"Reused from: Digital Curation Centre. (2013). " +"Checklist for a Data Management Plan. v.4.0. Restrictions can be imposed by limiting phys" +"ical access to storage devices, placing data on computers with no access to th" +"e Internet, through password protection, and by encrypting files. Sensitive da" +"ta should never be shared via email or cloud storage services such as Dropbox<" +"/span>" +msgstr "" +"

                                                                                  Examinez où, comment et à qui" +" les données sensibles dont la valeur à long terme est reconnue " +"doivent être rendues disponibles, et combien de temps elles doivent &eci" +"rc;tre archivées. Les décisions doivent être conformes aux" +" exigences du comité d’éthique de la recherche. Les m&eacu" +"te;thodes utilisées pour partager les données dépendront " +"du type, de la taille, de la complexité et du degré de sensibili" +"té des données. Décrivez les problèmes prév" +"us liés au partage des données, ainsi que leurs causes et les me" +"sures possibles pour les atténuer. Les problèmes peuvent compren" +"dre, entre autres, la confidentialité, l’absence d’ententes" +" de consentement ou les inquiétudes concernant les droits de propri&eac" +"ute;té intellectuelle. 

                                                                                  \n" +"

                                                                                  Repris du : Digital Curation Centre (2" +"013). Liste de contrôle pour un plan de gestion " +"de données. v.4.0. Des restr" +"ictions peuvent être imposées en limitant l’accès ph" +"ysique aux dispositifs de stockage, en sauvegardant les données sur des" +" ordinateurs n’ayant pas accès à l’internet ou en pr" +"otégeant les fichiers par un mot de passe et en cryptant ces derniers. " +"Les données sensibles ne doivent jamais être partagées par" +" courrier électronique ou par des services de stockage infonuagiques te" +"ls que Dropbox.

                                                                                  " msgid "" -"Good documentation includes information about " -"the study, data-level descriptions, and any other contextual information requi" -"red to make the data usable by other researchers. Other elements you should do" -"cument, as applicable, include: research methodology used, variable definition" -"s, units of measurement, assumptions made, format and file type of the data, a" -" description of the data capture and collection methods, explanation of data c" -"oding and analysis performed (including syntax files), and details of who has " -"worked on the project and performed each task, etc. Some of this should alread" -"y be in your protocol. For specific examples for each stage of the review, see" -" “Documentation and Metadata” in the University o" -"f Calgary Library Guide." +"Obtaining the appropriate consent from researc" +"h participants is an important step in assuring Research Ethics Boards that th" +"e data may be shared with researchers outside your project. The consent statem" +"ent may identify certain conditions clarifying the uses of the data by other r" +"esearchers. For example, it may stipulate that the data will only be shared fo" +"r non-profit research purposes or that the data will not be linked with person" +"ally identified data from other sources. Read more about data security: UK Data Archive" +"." msgstr "" -"Une bonne documentation comprend des informati" -"ons sur l’étude, des descriptions au niveau des données et" -" toute autre information contextuelle nécessaire pour rendre les donn&e" -"acute;es utilisables par d’autres chercheurs. Les autres él&eacut" -"e;ments que vous devez documenter, le cas échéant, sont : la m&e" -"acute;thodologie de recherche utilisée, les définitions des vari" -"ables, les unités de mesure, les hypothèses formulées, le" -" format et le type de fichier des données, une description des mé" -";thodes de saisie et de collecte des données, une explication du codage" -" et de l’analyse des données effectuées (y compris les fic" -"hiers de syntaxe) et des détails sur les personnes qui ont travaill&eac" -"ute; sur le projet et effectué chaque tâche, etc. Une partie de c" -"es éléments devrait déjà figurer dans votre protoc" -"ole. Pour des exemples spécifiques à chaque étape de la r" -"evue, consultez la rubrique « Documentation et métadonn&ea" -"cute;es » du Guide de la bibliothèque de l’Université de Calgary (lien en anglais)." +"L’obtention du consentement appropri&eac" +"ute; des participants à la recherche est une étape importante po" +"ur garantir aux comités d’éthique de la recherche que les " +"données peuvent être partagées avec des chercheurs en deho" +"rs de votre projet. La déclaration de consentement peut identifier cert" +"aines conditions clarifiant les utilisations des données par d’au" +"tres chercheurs. Par exemple, elle peut stipuler que les données ne ser" +"ont partagées qu’à des fins de recherche sans but lucratif" +" ou que les données ne seront pas liées à des donné" +";es personnelles identificatoires provenant d’autres sources. En savoir " +"plus sur la sécurité des données, consultez le site suiva" +"nt : <" +"span style=\"font-weight: 400;\">UK Data Archive (lien en anglais" +")." msgid "" -"

                                                                                  Where will the process and procedures for e" -"ach stage of your review be kept and shared? Will the team have a shared works" -"pace? 

                                                                                  -\n" -"

                                                                                  Who will be responsible for documenting eac" -"h stage of the review? Team members responsible for each stage of the review s" -"hould add the documentation at the conclusion of their work on a particular st" -"age, or as needed. Refer back to the data collection guidance for examples of " -"the types of documentation that need to be created.

                                                                                  -\n" -"

                                                                                  Often, resources you've already created can" -" contribute to this (e.g. your protocol). Consult regularly with members of th" -"e research team to capture potential changes in data collection/processing tha" -"t need to be reflected in the documentation. Individual roles and workflows sh" -"ould include gathering data documentation.

                                                                                  " +"

                                                                                  Compliance with privacy legislation and law" +"s that may impose content restrictions in the data should be discussed with yo" +"ur institution's privacy officer or research services office. Research Ethics " +"Boards are central to the research process. 

                                                                                  \n" +"

                                                                                  Include here a description concerning owner" +"ship, licensing, and intellectual property rights of the data. Terms of reuse " +"must be clearly stated, in line with the relevant legal and ethical requiremen" +"ts where applicable (e.g., subject consent, permissions, restrictions, etc.).<" +"/span>

                                                                                  " msgstr "" -"

                                                                                  À quel endroit le processus et les p" -"rocédures de chaque étape de votre revue seront-ils conserv&eacu" -"te;s et partagés ? L’équipe disposera-t-elle d&rsqu" -"o;un espace de travail partagé ? 

                                                                                  -\n" -"

                                                                                  Qui sera chargé de documenter chaque" -" étape de la revue ? Les membres de l’équipe charg&" -"eacute;s des étapes diverses de la revue doivent ajouter la documentati" -"on à la fin de leur travail sur une étape ou selon les besoins. " -"Consultez les directives sur la collecte de données pour des exemples d" -"e types de documents à créer.

                                                                                  -\n" -"

                                                                                  Dans bien des cas, les ressources que vous " -"avez déjà créées peuvent y contribuer (par exemple" -" votre protocole). Consultez régulièrement les membres de l&rsqu" -"o;équipe de recherche afin de saisir les changements potentiels dans la" -" collecte/le traitement des données qui doivent être reflé" -"tés dans la documentation. Les rôles individuels et les flux de t" -"ravail doivent inclure la collecte de la documentation sur les données." -"

                                                                                  " +"

                                                                                  Le respect de la législation relativ" +"e à la protection de la vie privée et des lois susceptibles d&rs" +"quo;imposer des restrictions sur le contenu des données doit être" +" discuté avec le responsable de la protection de la vie privée o" +"u le bureau des services de recherche de votre institution. Les comités" +" d’éthique de la recherche sont au cœur du processus de rec" +"herche. 

                                                                                  \n" +"

                                                                                  Donnez ici une description de la propri&eac" +"ute;té, des licences et des droits de propriété intellect" +"uelle des données. Les conditions de réutilisation doivent &ecir" +"c;tre clairement énoncées, conformément aux exigences jur" +"idiques et éthiques applicables le cas échéant (par exemp" +"le, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " msgid "" -"Most systematic reviews will likely not use a " -"metadata standard, but if you are looking for a standard to help you code your" -" data, see the Digital Curation Centre’s list of di" -"sciplinary metadata standards." +"Describe the purpose or goal of this project. " +"Is the data collection for a specific study or part of a long-term collection " +"effort? What is the relationship between the data you are collecting and any e" +"xisting data? Note existing data structure and procedures if building on previ" +"ous work." msgstr "" -"La plupart des revues systématiques n&r" -"squo;utiliseront probablement pas de norme de métadonnées, mais " -"si vous cherchez une norme pour vous aider à coder vos données, " -"consultez la liste des normes de métadonnée" -"s disciplinaires du Centre de curation numérique." +"Décrivez le but ou l’objectif de " +"ce projet. La collecte de données est-elle destinée à une" +" étude spécifique ou fait-elle partie d’un effort de colle" +"cte à long terme ? Quelle est la relation entre les donné" +"es que vous collectez et les données existantes ? Notez la struc" +"ture des données et les procédures existantes si vous vous basez" +" sur des travaux antérieurs." msgid "" -"

                                                                                  Storage-space estimates should take into ac" -"count requirements for file versioning, backups, and growth over time. A long-" -"term storage plan is necessary if you intend to retain your data after the res" -"earch project or update your review at a later date.

                                                                                  -\n" -"

                                                                                  A systematic review project will not typica" -"lly require more than a few GB of storage space; these needs can be met by mos" -"t common storage solutions, including shared servers.

                                                                                  " +"Types of data you may create or capture could " +"include: geospatial layers (shapefiles; may include observations, models, remo" +"te sensing, etc.); tabular observational data; field, laboratory, or experimen" +"tal data; numerical model input data and outputs from numerical models; images" +"; photographs; video." msgstr "" -"

                                                                                  Les estimations de l’espace de stocka" -"ge doivent tenir compte des besoins en matière de version des fichiers," -" de sauvegardes et de croissance dans le temps. Un plan de stockage à l" -"ong terme est nécessaire si vous avez l’intention de conserver vo" -"s données après le projet de recherche ou de mettre à jou" -"r votre revue à une date ultérieure.

                                                                                  -\n" -"

                                                                                  Un projet de revue systématique ne n" -"écessitera généralement pas plus de quelques Go d’e" -"space de stockage ; ces besoins peuvent être satisfaits par la pl" -"upart des solutions de stockage courantes, y compris les serveurs partag&eacut" -"e;s.

                                                                                  " +"Les types de données que vous pouvez cr" +"éer ou saisir peuvent inclure : des couches géospatiales (f" +"ichiers de forme ; par exemple, des observations, des modèles, d" +"e la télédétection, etc.) ; des données d&r" +"squo;observation tabulaires ; des données de terrain, de laborat" +"oire ou d’expérience ; des données d’entr&eac" +"ute;e de modèles numériques et des sorties de modèles num" +"ériques ; des images ; des photographies ; de la v" +"idéo." msgid "" -"

                                                                                  Will you want to update and republish your " -"review? If so, a permanent storage space is necessary. If your meta-analysis i" -"ncludes individual patient-level data, you will require secure storage for tha" -"t data. If you are not working with sensitive data, a solution like Dropbox or" -" Google Drive may be acceptable. Consider who should have control over the sha" -"red account. Software to facilitate the systematic review process or for citat" -"ion management such as Covidence or Endnote may be used for active data storag" -"e of records and PDFs.

                                                                                  -\n" -"

                                                                                  The risk of losing data due to human error," -" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" -"ackup rule: Have at least three copies of your data; store the copies on two d" -"ifferent media; keep one backup copy offsite.

                                                                                  -\n" -"Further information on storage and backup prac" -"tices is available from the University of Sheffield Library" -" and the " -"UK Data Archive." +"

                                                                                  Please also describe the tools and methods " +"that you will use to collect or generate the data. Outline the procedures that" +" must be followed when using these tools to ensure consistent data collection " +"or generation. If possible, include any sampling procedures or modelling techn" +"iques you will use to collect or generate your data.

                                                                                  " msgstr "" -"

                                                                                  Souhaitez-vous mettre à jour et repu" -"blier votre revue ? Si c’est le cas, un espace de stockage perman" -"ent est nécessaire. Si votre méta-analyse comprend des donn&eacu" -"te;es individuelles sur les patients, vous aurez besoin d’un stockage s&" -"eacute;curisé pour ces données. Si vous ne travaillez pas avec d" -"es données sensibles, une solution comme Dropbox ou Google Drive peut &" -"ecirc;tre acceptable. Réfléchissez à qui devrait avoir le" -" contrôle du compte partagé. Des logiciels destinés &agrav" -"e; faciliter le processus de revue systématique ou à gére" -"r les citations, tels que Covidence ou Endnote, peuvent être utilis&eacu" -"te;s pour le stockage actif des données des dossiers et des PDF." -"

                                                                                  -\n" -"

                                                                                  Le risque de perdre des données en r" -"aison d’une erreur humaine, d’une catastrophe naturelle ou d&rsquo" -";un autre incident peut être atténué en suivant la r&egrav" -"e;gle de sauvegarde 3-2-1 : ayez au moins trois copies de vos donn&e" -"acute;es ; conservez les copies sur deux supports différents&thi" -"nsp;; gardez une copie de sauvegarde hors site.

                                                                                  -\n" -"

                                                                                  Vous pouvez obtenir plus d’informatio" -"ns sur les pratiques de stockage et de sauvegarde sur le site de la Bibliothèque de l’Université de Sheffield<" -"/a> et de l’Ar" -"chive de données du Royaume-Uni (liens en anglais)<" -"span style=\"font-weight: 400;\">.

                                                                                  " +"

                                                                                  Veuillez également décrire le" +"s outils et les méthodes que vous utiliserez pour collecter ou gé" +";nérer les données. Décrivez les procédures qui do" +"ivent être suivies lors de l’utilisation de ces outils afin de gar" +"antir une collecte ou une génération de données coh&eacut" +"e;rente. Si possible, indiquez les procédures d’échantillo" +"nnage ou les techniques de modélisation que vous utiliserez pour collec" +"ter ou générer vos données.

                                                                                  " msgid "" -"

                                                                                  If your meta-analysis includes individual p" -"atient-level data, you will require secure storage for that data. As most syst" -"ematic reviews typically do not involve sensitive data, you likely don’t" -" need secure storage. A storage space such as Dropbox or Google Drive should b" -"e acceptable, as long as it is only shared among team members. Consider who wi" -"ll retain access to the shared storage space and for how long. Consider who sh" -"ould be the owner of the account. If necessary, have a process for transferrin" -"g ownership of files in the event of personnel changes.

                                                                                  -\n" -"

                                                                                  An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Relying on email for data transfer is not a robust or secure" -" solution.

                                                                                  " +"

                                                                                  Try to use pre-existing collection standard" +"s, such as the CCME’s Proto" +"cols for Water Quality Sampling in Canada, whenever possible. 

                                                                                  \n" +"

                                                                                  If you will set up monitoring station(s) to" +" continuously collect or sample water quality data, please review resources su" +"ch as the World Meteorological Organization’s tec" +"hnical report on Water Quality Monitoring and CCME’s Pro" +"tocols for Water Quality Guidelines in Canada.

                                                                                  " +msgstr "" +"

                                                                                  Essayez d’utiliser des normes de coll" +"ecte préexistantes telles que les protocole" +"s d’échantillonnage pour l’analyse de qualité de l&r" +"squo;eau au Canada du CCME, dans la" +" mesure du possible. 

                                                                                  \n" +"

                                                                                  Si vous envisagez de mettre en place une st" +"ation ou plusieurs stations de surveillance pour recueillir ou échantil" +"lonner en continu des données sur la qualité de l’eau, veu" +"illez consulter des ressources telles que le Rapport te" +"chnique sur la surveillance de la qualité de l’eau de l’Org" +"anisation météorologique mondiale (lien en anglais) et les Protocoles pour les lignes di" +"rectrices sur qualité de l’eau au Canada du CCME.

                                                                                  " + +msgid "" +"Include full references or links to the data w" +"hen possible. Identify any license or use restrictions and ensure that you und" +"erstand the policies for permitted use, redistribution and derived products." msgstr "" -"

                                                                                  Si votre méta-analyse comprend des d" -"onnées individuelles sur les patients, vous aurez besoin d’un sto" -"ckage sécurisé pour ces données. Comme la plupart des rev" -"ues systématiques ne comportent généralement pas de donn&" -"eacute;es sensibles, vous n’aurez probablement pas besoin d’un sto" -"ckage sécurisé. Un espace de stockage tel que Dropbox ou Google " -"Drive devrait être acceptable, à condition qu’il ne soit pa" -"rtagé qu’entre les membres de l’équipe. Déter" -"minez qui conservera l’accès à l’espace de stockage " -"partagé et pendant combien de temps. Désigné un propri&ea" -"cute;taire du compte. Si nécessaire, prévoyez un processus de tr" -"ansfert de propriété des fichiers en cas de changement de person" -"nel.

                                                                                  -\n" -"

                                                                                  Une solution idéale facilite la coop" -"ération et assure la sécurité des données, tout en" -" pouvant être adoptée par les utilisateurs avec un minimum de for" -"mation. L’utilisation du courrier électronique pour le transfert " -"de données n’est pas une solution robuste ou sûre." +"Indiquez des références complètes ou des liens vers les d" +"onnées lorsque cela est possible. Identifiez toute licence ou restricti" +"on d’utilisation et assurez-vous que vous comprenez les politiques relat" +"ives à l’utilisation autorisée, à la redistribution" +" et aux produits dérivés." msgid "" -"

                                                                                  The issue of data retention should be consi" -"dered early in the research lifecycle. Data-retention decisions can be driven " -"by external policies (e.g. funding agencies, journal publishers), or by an und" -"erstanding of the enduring value of a given set of data. Consider what you wan" -"t to share long-term vs. what you need to keep long-term; these might be two s" -"eparately stored data sets. 

                                                                                  -\n" -"

                                                                                  Long-term preservation is an important aspe" -"ct to consider for systematic reviews as they may be rejected and need to be r" -"eworked/resubmitted, or the authors may wish to publish an updated review in a" -" few years’ time (this is particularly important given the increased int" -"erest in the concept of a ‘living systematic review’). 

                                                                                  -\n" -"For more detailed guidance, and some suggested" -" repositories, see “Long-Term Preservation” on the University of Calgary Library Guide." +"

                                                                                  Sensitive data is data that carries some ri" +"sk with its collection. Examples of sensitive data include:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Data governed by" +" third party agreements, contracts or legislation.
                                                                                  • \n" +"
                                                                                  • Personal informa" +"tion, health related data, biological samples, etc.
                                                                                  • \n" +"
                                                                                  • Indigenous knowl" +"edge, and data collected from Indigenous peoples, or Indigenous lands, water a" +"nd ice.
                                                                                  • \n" +"
                                                                                  • Data collected w" +"ith an industry partner.
                                                                                  • \n" +"
                                                                                  • Location informa" +"tion of species at risk. 
                                                                                  • \n" +"
                                                                                  • Data collected o" +"n private property, for example where identification of contaminated wells cou" +"ld impact property values or stigmatize residents or land owners.
                                                                                  • " +"\n" +"
                                                                                  \n" +"Additional sensitivity assessment can be made " +"using data classification matrices such as the University of Saskatchewan Data Classification guidance." msgstr "" -"

                                                                                  La question de la rétention des donn" -"ées doit être examinée dès le début du cycle" -" de vie de la recherche. Les décisions relatives à la rét" -"ention des données peuvent être dictées par des politiques" -" externes (par exemple, les organismes de financement, les éditeurs de " -"revues) ou par la compréhension de la valeur durable d’un ensembl" -"e de données en particulier. Considérez ce que vous voulez parta" -"ger à long terme par rapport à ce que vous devez conserver &agra" -"ve; long terme ; vous pouvez avoir deux ensembles de données sto" -"ckées séparément. 

                                                                                  -\n" -"

                                                                                  La conservation à long terme est un " -"aspect important à considérer pour les revues systématiqu" -"es, car elles peuvent être rejetées et devoir être retravai" -"llées ou soumises de nouveau ; les auteurs peuvent aussi souhait" -"er publier une revue actualisée dans quelques années (ce qui est" -" particulièrement important étant donné l’int&eacut" -"e;rêt accru pour le concept de « revue systématique vivante » [lien en anglais]). 

                                                                                  -\n" -"

                                                                                  Pour des directives plus détaill&eac" -"ute;es et quelques suggestions de dépôts, consultez la section su" -"r la « Conservation à long terme » du " -"Guide de la bibliothèque de l’Université de " -"Calgary (lien en anglais)." -"

                                                                                  " +"

                                                                                  Les données sensibles sont des donn&" +"eacute;es qui comportent un certain risque lors de leur collecte. Voici quelqu" +"es exemples de données sensibles :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Données r" +"égies par des ententes, contrats ou législations de tiers.
                                                                                  • \n" +"
                                                                                  • Renseignements p" +"ersonnels, données relatives à la santé, échantill" +"ons biologiques, etc.
                                                                                  • \n" +"
                                                                                  • Savoir autochton" +"e et données recueillies auprès des peuples autochtones, des ter" +"res, de l’eau et de la glace des autochtones.
                                                                                  • \n" +"
                                                                                  • Données c" +"ollectées avec un partenaire industriel.
                                                                                  • \n" +"
                                                                                  • Information sur " +"l’emplacement des espèces menacées. 
                                                                                  • \n" +"
                                                                                  • Données c" +"ollectées sur des propriétés privées, par exemple " +"lorsque l’identification de puits contaminés pourrait avoir un im" +"pact sur la valeur des propriétés ou stigmatiser les rési" +"dents ou les propriétaires fonciers.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Une évaluation de sensibilité" +" supplémentaire peut être effectuée en utilisant des matri" +"ces de classification des données telles que les directives de <" +"a href=\"https://www.usask.ca/avp-ict/documents/Data%20Classification%20Summary" +".pdf\">classification des données de l&r" +"squo;Université de Saskatchewan (lien en anglais).

                                                                                  " msgid "" -"

                                                                                  Some data formats are optimal for long-term" -" preservation of data. For example, non-proprietary file formats, such as text" -" ('.txt') and comma-separated ('.csv'), are considered preservation-friendly. " -"The UK Data Service<" -"span style=\"font-weight: 400;\"> provides a useful table of file formats for va" -"rious types of data. 

                                                                                  -\n" -"

                                                                                  Keep in mind that converting files from pro" -"prietary to non-proprietary formats may lose information or affect functionali" -"ty. If this is a concern, you can archive both a proprietary and non-proprieta" -"ry version of the file. Always document any format changes between files when " -"sharing preservation copies.

                                                                                  " +"

                                                                                  Methods used to share data will be dependen" +"t on the type, size, complexity and degree of sensitivity of data. Outline any" +" problems anticipated in sharing data, along with causes and possible measures" +" to mitigate these. Problems may include confidentiality, lack of consent agre" +"ements, or concerns about Intellectual Property Rights, among others. \n" +"

                                                                                  Decisions should align with Research Ethics" +" Board requirements. If you are collecting water quality data from Indigenous " +"communities, please also review resources such as the Tri-Council Policy State" +"ment (TCPS2) - Chapter 9: Research Involv" +"ing the First Nations, Inuit and Métis Peoples of Canada, the First Nations Principles of OCAP, the CARE Principles of Indigenous Data Governance, the National Inuit Strategy on Research, and Negotiating Research Relationships wi" +"th Inuit Communities as appropriate" +". 

                                                                                  \n" +"Restrictions can be imposed by limiting physic" +"al access to storage devices, placing data on computers with no access to the " +"Internet, through password protection, and by encrypting files. Sensitive data" +" should never be shared via email or cloud storage services such as Dropbox. R" +"ead more about data security here: UK Data Service. " msgstr "" -"

                                                                                  Certains formats de données sont opt" -"imaux pour préserver les données à long terme. Par exempl" -"e, les formats de fichiers non propriétaires, tels que le texte ('.txt'" -") et les fichiers séparés par des virgules ('.csv'), sont consid" -"érés comme favorables à la conservation. Le Service de données du Royaume-Uni (lien en anglais) fo" -"urnit un tableau utile des formats de fichiers pour différents types de" -" données. 

                                                                                  -\n" -"

                                                                                  Notez que la conversion de fichiers de form" -"ats propriétaires à des formats ouverts peut faire perdre des in" -"formations ou affecter les fonctionnalités. Si cet enjeu vous pré" -";occupe, vous pouvez archiver une version du fichier en format propriét" -"aire et une version du fichier en format ouvert. Documentez toujours les chang" -"ements de format des fichiers lorsque vous partagez des copies pour la conserv" -"ation.

                                                                                  " +"

                                                                                  Les méthodes utilisées pour p" +"artager les données dépendront du type, de la taille, de la comp" +"lexité et du degré de sensibilité des données. D&e" +"acute;crivez les problèmes prévus dans le partage des donn&eacut" +"e;es, ainsi que leurs causes et les mesures possibles pour les atténuer" +". Les problèmes peuvent inclure, entre autres, la confidentialité" +";, l’absence d’ententes de consentement ou des préoccupatio" +"ns concernant les droits de propriété intellectuelle.

                                                                                  " +" \n" +"

                                                                                  Les décisions doivent être con" +"formes aux exigences du comité d’éthique de la recherche. " +"Si vous recueillez des données sur la qualité de l’eau aup" +"rès de communautés autochtones, veuillez également consul" +"ter des ressources telles que l’Énoncé de politique des tr" +"ois conseils (EPTC 2) – Chapitre 9 : Recherche impliquant les Premières Nations, les Inuits" +" ou les Métis du Canada, les" +" principes de PCAP des Premières Nations, p" +"rincipes CARE sur la gouvernance des données autochtones (lien en anglais), la Stratégie nationale inuite pour " +"la recherche, et la Négociation des relations p" +"our la recherche avec les communautés inuites (lien en anglais), au besoin. 

                                                                                  \n" +"

                                                                                  Des restrictions peuvent être impos&e" +"acute;es en limitant l’accès physique aux dispositifs de stockage" +", en plaçant les données sur des ordinateurs n’ayant pas a" +"ccès à l’internet, en protégeant les fichiers par u" +"n mot de passe et en les cryptant. Les données sensibles ne doivent jam" +"ais être partagées par courrier électronique ou par des se" +"rvices de stockage dans le nuage tels que Dropbox. Pour en savoir plus sur la " +"sécurité des données, cliquez ici : Service des données du Royaume-Uni (lien en anglais).

                                                                                  " msgid "" -"

                                                                                  Examples of what should be shared: 

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • protocols <" -"/span>
                                                                                  • -\n" -"
                                                                                  • complete search " -"strategies for all databases 
                                                                                  • -\n" -"
                                                                                  • data extraction " -"forms 
                                                                                  • -\n" -"
                                                                                  • statistical code" -" and data files (e.g. CSV or Excel files) that are exported into a statistical" -" program to recreate relevant meta-analyses
                                                                                  • -\n" -"
                                                                                  -\n" -"For more examples, consult “Sharing and " -"Reuse” on the University of Calgary Library Guide" -"." +"

                                                                                  Consider where, how, and to whom sensitive " +"data with acknowledged long-term value should be made available, and for how l" +"ong it should be archived. If you must restrict some data from sharing, consid" +"er making the metadata (information about the dataset) available in a public m" +"etadata catalogue.

                                                                                  \n" +"

                                                                                  Obtaining the appropriate consent from rese" +"arch participants is an important step in assuring Research Ethics Boards that" +" the data may be shared with researchers outside your project. The consent sta" +"tement may identify certain conditions clarifying the uses of your data by oth" +"er researchers. For example, it may stipulate that the data will only be share" +"d for non-profit research purposes or that the data will not be linked with pe" +"rsonally identified data from other sources. It is important to consider how t" +"he data you are collecting may contribute to future research prior to obtainin" +"g research ethics approval since consent will dictate how the data can be used" +" in the immediate study and in perpetuity.

                                                                                  " msgstr "" -"

                                                                                  Voici quelques exemples de ce qui devrait &" -"ecirc;tre partagé : 

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Protocoles&thins" -"p;; 
                                                                                  • -\n" -"
                                                                                  • Stratégie" -"s de recherche intégrales pour toutes les bases de données&thins" -"p;; 
                                                                                  • -\n" -"
                                                                                  • Formulaires d&rs" -"quo;extraction de données ; 
                                                                                  • -\n" -"
                                                                                  • Code statistique" -" et fichiers de données (par exemple, fichiers CSV ou Excel) qui sont e" -"xportés dans un programme statistique pour recréer des mé" -"ta-analyses pertinentes.
                                                                                  • -\n" -"
                                                                                  -\n" -"

                                                                                  Pour plus d’exemples, consultez la ru" -"brique sur le « Partage et réutilisation » du" -" Guide de la bibliothèque de l’Université " -"de Calgary (lien en anglais).

                                                                                  " +"

                                                                                  Déterminez où, comment et &ag" +"rave; qui les données sensibles dont la valeur à long terme est " +"reconnue doivent être mises à disposition, et pendant combien de " +"temps elles doivent être archivées. Si vous devez restreindre le " +"partage de certaines données, envisagez de rendre les métadonn&e" +"acute;es (informations sur l’ensemble de données) disponibles dan" +"s un catalogue public de métadonnées.

                                                                                  \n" +"

                                                                                  L’obtention du consentement appropri&" +"eacute; des participants à la recherche est une étape importante" +" pour prouver aux comités d’éthique de la recherche que le" +"s données peuvent être partagées avec des chercheurs ext&e" +"acute;rieurs à votre projet. La déclaration en matière de" +" consentement peut identifier certaines conditions clarifiant les utilisations" +" de vos données par d’autres chercheurs. Par exemple, elle peut s" +"tipuler que les données ne seront partagées qu’à de" +"s fins de recherche sans but lucratif ou que les données ne seront pas " +"liées à des données personnelles identifiées prove" +"nant d’autres sources. Vous devez considérer comment les donn&eac" +"ute;es que vous collectez peuvent contribuer à des recherches futures a" +"vant d’obtenir l’approbation des comités d’éth" +"ique de la recherche, car le consentement dictera comment les données p" +"euvent être utilisées dans l’étude immédiate " +"et à perpétuité.

                                                                                  " msgid "" -"

                                                                                  Raw data are directly obta" -"ined from the instrument, simulation or survey. 

                                                                                  -\n" -"

                                                                                  Processed data result from" -" some manipulation of the raw data in order to eliminate errors or outliers, t" -"o prepare the data for analysis, to derive new variables. 

                                                                                  -\n" -"

                                                                                  Analyzed data are the resu" -"lts of qualitative, statistical, or mathematical analysis of the processed dat" -"a. They can be presented as graphs, charts or statistical tables. " -"

                                                                                  -\n" -"Final data are processed data" -" that have, if needed, been converted into a preservation-friendly format. " +"

                                                                                  Compliance with privacy legislation and law" +"s that may impose content restrictions in the data should be discussed with yo" +"ur institution's privacy officer or research services office. Research Ethics " +"Boards are also central to the research process.

                                                                                  \n" +"

                                                                                  Describe ownership, licensing, and any inte" +"llectual property rights associated with the data. Check your institution's po" +"licies for additional guidance in these areas. The University of Waterloo has " +"a good example of an institutional policy on Intellectual Property Rights" +".

                                                                                  \n" +"

                                                                                  Terms of reuse must be clearly stated, in l" +"ine with the relevant legal and ethical requirements where applicable (e.g., s" +"ubject consent, permissions, restrictions, etc.).

                                                                                  " msgstr "" -"

                                                                                  Les données brutes sont obtenues directement à part" -"ir de l’instrument, de la simulation ou de l’enquête. <" -"/span>

                                                                                  -\n" -"

                                                                                  Les données trait&eac" -"ute;es résultent d’une c" -"ertaine manipulation des données brutes afin d’éliminer le" -"s erreurs ou les valeurs aberrantes, de préparer les données pou" -"r l’analyse ou de dériver de nouvelles variables.  -\n" -"

                                                                                  Les données analys&ea" -"cute;es sont les résultats d&r" -"squo;une analyse qualitative, statistique ou mathématique des donn&eacu" -"te;es traitées. Elles peuvent être présentées sous " -"forme de graphiques, de diagrammes ou de tableaux statistiques.  -\n" -"

                                                                                  Les données finales sont des données traitée" -"s qui ont, le cas échéant, été converties dans un " -"format permettant leur conservation.

                                                                                  " +"

                                                                                  Le respect de la législation relativ" +"e à la protection de la vie privée et des lois pouvant imposer d" +"es restrictions sur le contenu des données doit être discut&eacut" +"e; avec le responsable de la protection de la vie privée ou le bureau d" +"es services de recherche de votre institution. Les comités d’&eac" +"ute;thique de la recherche sont également au cœur du processus de" +" recherche.

                                                                                  \n" +"

                                                                                  Décrivez la propriété," +" la licence et tout droit de propriété intellectuelle associ&eac" +"ute; aux données. Consultez les politiques de votre établissemen" +"t pour obtenir des conseils supplémentaires dans ces domaines. L’" +"Université de Waterloo a un bon exemple de politique institutionnelle s" +"ur les droits en matière de propriété intellectuelle" +" (lien en anglais)." +"

                                                                                  \n" +"

                                                                                  Les conditions de réutilisation doiv" +"ent être clairement énoncées, conformément aux exig" +"ences juridiques et éthiques applicables, le cas échéant " +"(par exemple, consentement du sujet, autorisations, restrictions, etc.).

                                                                                  " msgid "" -"There are several types of standard licenses a" -"vailable to researchers, such as the Creative Commons or Open Data Commons
                                                                                  licenses. Even if you choose to make your data part of the public " -"domain, it is preferable to make this explicit by using a license such as Crea" -"tive Commons' CC0. More about data licensing: UK Data Curation Centre." +"Data should be collected and stored using mach" +"ine readable, non-proprietary formats, such as .csv, .json, or .tiff. Propriet" +"ary file formats requiring specialized software or hardware to use are not rec" +"ommended, but may be necessary for certain data collection or instrument analy" +"sis methods. If a proprietary format must be used, can it be converte" +"d to an open format or accessed using free and open source tools?
                                                                                  " +"
                                                                                  Using open file formats or industry-standard formats (e.g. those widely " +"used by a given community) is preferred whenever possible. Read more about fil" +"e formats: UBC Library, USGS, DataONE, or UK Data Service." msgstr "" -"Il existe plusieurs types de licences standard" -" à la disposition des chercheurs, comme les licences Cre" -"ative Commons ou Open Data Commons<" -"/span> (lien en anglais). Mê" -";me si vous choisissez de faire entrer vos données dans le domaine publ" -"ic, vous devriez le faire de manière explicite en utilisant une licence" -" telle que la CC0 de Creative Commons. Pour en savoir plus sur les licences de" -" données, consultez le Centre de cur" -"ation de données du Royaume-Uni (lien en anglais)." +"Les données doivent être collect&" +"eacute;es et stockées dans des formats en libre accès lisibles p" +"ar machine, tels que .csv, .json ou .tiff. Les formats de fichiers propri&eacu" +"te;taires nécessitant l’utilisation de logiciels ou de maté" +";riel spécialisés ne sont pas recommandés, mais peuvent &" +"ecirc;tre nécessaires pour certaines méthodes de collecte de don" +"nées ou d’analyse d’instruments. Si un format proprié" +";taire doit être utilisé, peut-il être converti en un forma" +"t ouvert ou accessible à l’aide d’outils libres et gratuits" +" ?

                                                                                  L’utilisatio" +"n de formats de fichiers ouverts ou de formats standard (par exemple, ceux lar" +"gement utilisés par une communauté donnée) est pré" +"férable dans la mesure du possible. Voici des liens pour plus de rensei" +"gnements sur les formats de fichiers : Bibl" +"iothèque de l’Université de la C.-B., USGS, DataONE" +", et Service des do" +"nnées du Royaume-Uni (liens en anglais)." msgid "" -"

                                                                                  Licenses determine what uses can be made of" -" your data. Funding agencies and/or data repositories may have end-user licens" -"e requirements in place; if not, they may still be able to guide you in the de" -"velopment of a license. You may also want to check the requirements of any jou" -"rnals you plan to submit to - do they require data associated with your manusc" -"ript to be made public? Note that only the intellectual property rights holder" -"(s) can issue a license, so it is crucial to clarify who owns those rights.

                                                                                  -\n" -"

                                                                                  Consider whether attribution is important t" -"o you; if so, select a license whose terms require that data used by others be" -" properly attributed to the original authors. Include a copy of your end-user " -"license with your Data Management Plan.

                                                                                  " +"

                                                                                  File names should:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Clearly identify the name of the project (" +"Unique identifier, Project Abbreviation), timeline (use the ISO date standard) a" +"nd type of data in the file;
                                                                                  • \n" +"
                                                                                  • Avoid use of special characters, such as  $ % ^ & # | :, to preve" +"nt errors and use an underscore ( _)  or dash (-) rather than spaces; \n" +"
                                                                                  • Be as concise as possible. Some instrument" +"s may limit you to specific characters. Check with your labs for any naming St" +"andard Operating Procedures (SOPs) or requirements. 
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Data Structure:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • It is important to keep track of different" +" copies or versions of files, files held in different formats or locations, an" +"d information cross-referenced between files. This process is called 'version " +"control'. For versioning, the format of vMajor.Minor.Patch should be used (i.e" +". v1.1.0);
                                                                                  • \n" +"
                                                                                  • Logical file structures, informative naming conventions and clear indicati" +"ons of file versions all contribute to better use of your data during and afte" +"r your research project.  These practices will help ensure that you and y" +"our research team are using the appropriate version of your data and minimize " +"confusion regarding copies on different computers and/or on different media.&n" +"bsp;
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Read more about file naming and version control: UBC Library or UK Data Service.

                                                                                  " msgstr "" -"

                                                                                  Les licences déterminent les utilisa" -"tions permises de vos données. Les organismes de financement et les d&e" -"acute;pôts de données peuvent avoir des exigences en matiè" -"re de licence d’utilisation finale ; autrement, ils peuvent toujo" -"urs vous guider dans l’élaboration d’une licence. Vous pouv" -"ez également vérifier les exigences des revues auxquelles vous p" -"révoyez soumettre votre revue. Celles-ci exigent-elles que les donn&eac" -"ute;es associées à votre manuscrit soient rendues publiques&thin" -"sp;? Notez que les détenteurs des droits de propriété int" -"ellectuelle sont les seuls à pouvoir délivrer une licence&thinsp" -";; vous devez donc de préciser qui détient ces droits. -\n" -"

                                                                                  L’attribution est-elle importante pou" -"r vous ? Choisissez une licence dont les conditions exigent que les don" -"nées utilisées par d’autres soient correctement attribu&ea" -"cute;es aux auteurs originaux, le cas échéant. Joignez une copie" -" de votre licence d’utilisateur final à votre plan de gestion des" -" données.

                                                                                  " +"

                                                                                  Les noms des fichiers doivent :" +"

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Identifier clairement le nom du projet (id" +"entifiant unique, abréviation du projet), le calendrier (utiliser la norme de date I" +"SO) et le type de données dans le fichier;
                                                                                  • \n" +"
                                                                                  • Éviter l’utilisation de carac" +"tères spéciaux, tels que $ % ^ & # | :, pour éviter l" +"es erreurs et utiliser un trait de soulignement ( _ ) ou un tiret (-) plut&oci" +"rc;t que des espaces;
                                                                                  • \n" +"
                                                                                  • Être aussi concis que possible. Cert" +"ains instruments peuvent vous limiter à des caractères spé" +";cifiques. Vérifiez auprès de vos laboratoires les procédures op" +"ératoires normalisées (PON) ou les exigences en matière de nomenclature" +".
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  La structure des données :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Il est important de garder une trace des d" +"ifférentes copies ou versions de fichiers, des fichiers détenus " +"dans différents formats ou emplacements, et des référence" +"s croisées entre les fichiers. Ce processus s’appelle la “g" +"estion de versions”. Pour la gestion des versions, il convient d’u" +"tiliser le format de vMajeure.Mineure.Correction (c’est-à-dire v1" +".1.0);
                                                                                  • \n" +"
                                                                                  • Des structures de fichiers logiques, des c" +"onventions d’appellation informatives et des indications claires sur les" +" versions des fichiers contribuent à une meilleure utilisation de vos d" +"onnées pendant et après votre projet de recherche. Ces pratiques" +" permettront de s’assurer que vous et votre équipe de recherche u" +"tilisez la version appropriée de vos données et de minimiser la " +"confusion concernant les copies sur différents ordinateurs ou sur diff&" +"eacute;rents supports informatiques.
                                                                                  • \n" +"
                                                                                  •  
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Voici des liens pour plus de renseignements sur la nomenclature et la" +" gestion de versions des fichiers : Bibliothèque de l’Université d'Ottawa<" +"/span> et le UK Data Service (lien en anglais).

                                                                                  " msgid "" -"The datasets analysed during the current study" -" are available in the University of Calgary’s PRISM Dataverse repository" -", [https://doi.org/exampledoi]." +"Typically, good documentation includes informa" +"tion about the study, data-level descriptions and any other contextual informa" +"tion required to make the data usable by other researchers. Elements to docume" +"nt, as applicable, include: research methodology, variable definitions, vocabu" +"laries, classification systems, units of measurement, assumptions made, format" +" and file type of the data, and details of who has worked on the project and p" +"erformed each task, etc.  

                                                                                  A readme file describing your formatting, naming conventions and proc" +"edures can be used to promote use and facilitate adherence to data policies. F" +"or instance, describe the names or naming process used for your study sites.

                                                                                  Verify the spelling of study " +"site names using the
                                                                                  Canadian Geographical Names Database

                                                                                  If yo" +"ur data will be collected on Indigenous lands, ensure your naming scheme follo" +"ws the naming conventions determined by the community.
                                                                                  " msgstr "" -"Les ensembles de données analysé" -"s au cours de la présente étude sont disponibles dans le d&eacut" -"e;pôt PRISM Dataverse de l’Université de Calgary [https://doi.org/exampledoi].
                                                                                  " +"En règle générale, une bo" +"nne documentation comprend de l’information sur l’étude, de" +"s descriptions par rapport aux données et toute autre information conte" +"xtuelle nécessaire pour rendre les données utilisables par d&rsq" +"uo;autres chercheurs. Les éléments que vous devriez documenter c" +"omprennent, le cas échéant : la méthodologie de rech" +"erche, les définitions des variables, les glossaires, les systèm" +"es de classification, les unités de mesure, les hypothèses formu" +"lées, le format et le type de fichier des données et des pr&eacu" +"te;cisions sur les personnes qui ont travaillé sur le projet et effectu" +"é chaque tâche, etc. 

                                                                                  Un fichier de type “" +"readme” décrivant votre formatage, vos conventions de déno" +"mination et vos procédures peut être utilisé pour promouvo" +"ir l’utilisation des politiques en matière de données et f" +"aciliter l’adhésion à celles-ci. Par exemple, décri" +"vez les noms ou le processus de dénomination utilisés pour vos s" +"ites d’étude.

                                                                                  V" +"érifiez l’orthographe des noms des sites d’étude &ag" +"rave; l’aide de la Base de données toponymiques du Canada.


                                                                                  Si vos données sont collectées sur des terres autochtones, ass" +"urez-vous que votre système de dénomination suit les conventions" +" de dénomination déterminées par la communauté.
                                                                                  " msgid "" -"Choose a repository that offers persistent ide" -"ntifiers such as a DOI. These are persistent links that provide stable long-te" -"rm access to your data. Ensure you put a data availability statement in your a" -"rticle, with proper citation to the location of your data. If possible, put th" -"is under its own heading. If the journal does not use this heading in its form" -"atting, you could include this information in your Methods section or as a sup" -"plementary file you provide." +"

                                                                                  Include descriptions of sampling procedures" +" and hardware or software used for data collection, including make, model and " +"version where applicable. Sample and replicate labels<" +"span style=\"font-weight: 400;\"> should have a consistent format (sample number" +", name, field site, date of collection, analysis requested and preservatives a" +"dded, if applicable) and a corresponding document with descriptions of any cod" +"es or short forms used. 

                                                                                  For examples and guidelines, see the
                                                                                  CCME Protocols Manual for Water Quality Sampling in Canada (taxonomy example p. 11, general guidelines p. 3" +"2-33). 

                                                                                  Consistency, re" +"levance and cost-efficiency are key factors of sample collection and depend on" +" the scope of the project. For practical considerations, see “4.3 Step 3" +". Optimizing Data Collection and Data Quality” in the CCME Guidance Manual for Opti" +"mizing Water Quality Monitoring Program Design.

                                                                                  " msgstr "" -"Choisissez un dépôt qui offre des" -" identificateurs persistants tels qu’un identifiant d’objet num&ea" -"cute;rique. Il s’agit de liens persistants qui fournissent un accè" -";s stable à long terme à vos données. Assurez-vous de met" -"tre une déclaration de disponibilité des données dans vot" -"re article, avec une citation appropriée de l’emplacement de vos " -"données. Si possible, placez cette déclaration sous sa propre ru" -"brique. Si la revue n’utilise pas cette rubrique dans son formatage, vou" -"s pouvez inclure cette information dans votre section Méthodes ou dans " -"un fichier supplémentaire que vous fournissez." +"Décrivez les procédures d’" +"échantillonnage et le matériel ou les logiciels utilisés " +"pour la collecte des données, y compris la marque, le modèle et " +"la version, le cas échéant. Les étiquettes des &e" +"acute;chantillons et des répliques doivent avoir un format coh" +"érent (numéro d’échantillon, nom, site de pré" +";lèvement, date de prélèvement, analyse demandée e" +"t agents de conservation ajoutés, le cas échéant) et un d" +"ocument correspondant avec la description des codes ou des formes abrég" +"ées utilisées.

                                                                                  Pour des exemples et des directives, consult" +"ez le Manue" +"l des protocoles d’échantillonnage pour l’analyse de la qua" +"lité de l’eau au Canada du CCME (exemple de taxonomie p. " +";12, directives générales p. 36 et 37).

                                                                                  " +"La cohérence, la pertinence et la renta" +"bilité sont des facteurs clés de la collecte d’écha" +"ntillons et celles-ci dépendent de la portée du projet. Pour des" +" considérations pratiques, consultez le chapitre 4.3 Étape&" +"nbsp;3. Optimisation de la collecte et de la qualité de données " +"du Guide po" +"ur l’optimisation des programmes de suivi de la qualité de l&rsqu" +"o;eau du CCME. " msgid "" -"Your data management plan has identified impor" -"tant data activities in your project. Identify who will be responsible -- indi" -"viduals or organizations -- for carrying out these parts of your data manageme" -"nt plan. This could also include the time frame associated with these staff re" -"sponsibilities and any training needed to prepare staff for these duties. Syst" -"ematic review projects have stages, which can act as great reminders to ensure" -" that data associated with each stage are made accessible to other project mem" -"bers in a timely fashion. " +"

                                                                                  It is important to have a standardized data" +" analysis procedure and metadata detailing both the collection and analysis of" +" the data. For guidance see “4.4 Step 4. Data Analysis, Interpretation a" +"nd Evaluation” in the CCME Guidance Manual for Optimizing Water Quality Monitoring " +"Program Design. 

                                                                                  If" +" you will collect or analyze data as part of a wider program, such as the Canadian Aquatic Biomonitoring Network, include links to the appropriate guidance documents.

                                                                                  " msgstr "" -"Votre plan de gestion des données compo" -"rte des activités importantes en matière de données dans " -"votre projet. Désignez la personne ou l’organisation qui sera res" -"ponsable de la réalisation de ces parties de votre plan de gestion des " -"données. Vous pouvez aussi inclure le calendrier associé à" -"; ces responsabilités du personnel et les formations nécessaires" -" pour préparer le personnel à ces tâches. Les projets de r" -"evue systématique comportent des étapes qui peuvent servir de ra" -"ppel pour s’assurer que les données associées à cha" -"que étape sont rendues accessibles aux autres membres du projet au mome" -"nt opportun. " +"Il est important de disposer d’une proc&" +"eacute;dure d’analyse des données normalisée et de m&eacut" +"e;tadonnées détaillant à la fois la collecte et l’a" +"nalyse des données. Pour des conseils, consultez le chapitre 4.4 &" +"Eacute;tape 4. Analyse, interprétation et évaluation des do" +"nnées du Guide pour l’optimisation de" +"s programmes de suivi de la qualité de l’eau du CCME.
                                                                                  <" +"/span>
                                                                                  Si vous collectez ou analysez des " +"données dans le cadre d’un programme plus large, tel que le Réseau canadien de biosurveillance aquatique, ajoutez les liens aux guides appropri&eacu" +"te;s." msgid "" -"

                                                                                  Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves. Descr" -"ibe the process to be followed in the event that the Principal Investigator le" -"aves the project. In some instances, a co-investigator or the department or di" -"vision overseeing this research will assume responsibility.

                                                                                  -\n" -"If data is deposited into a shared space as ea" -"ch stage of the review is completed, there is greater likelihood that the team" -" has all of the data necessary to successfully handle personnel changes. NOTE: Shared storage spaces" -" such as Dropbox and Google drive are attached to an individual’s accoun" -"t and storage capacity so consideration needs to be given as to who should be " -"the primary account holder for the shared storage space, and how data will be " -"transferred to another account if that person leaves the team." +"

                                                                                  Include documentation about what QA/QC proc" +"edures will be performed. For guidance see “1.3 QUALITY ASSURANCE/CONTRO" +"L IN SAMPLING” in the CC" +"ME Integrated guidance manual of sampli" +"ng protocols for water quality monitoring in Canada or the Quality-Control Design for Surfa" +"ce-Water Sampling in the National Water-Quality Network from the USGS.

                                                                                  " msgstr "" -"

                                                                                  Indiquez une stratégie de relè" -";ve pour ces données au cas où une ou plusieurs personnes respon" -"sables des données quitteraient le projet. Décrivez le processus" -" à suivre si le chercheur principal quitte le projet. Dans certains cas" -", un co-chercheur ou le département ou la division qui supervise cette " -"recherche en assumera la responsabilité.

                                                                                  -\n" -"

                                                                                  Si les données sont dépos&eac" -"ute;es dans un espace partagé à la fin de chaque étape de" -" la revue, il est plus probable que l’équipe dispose de toutes le" -"s données nécessaires pour gérer avec succès les c" -"hangements de personnel. NOTEZ : les espaces de stockage partagés tels que Dropbox et Go" -"ogle Drive sont liés au compte et à la capacité de stocka" -"ge d’une personne. Il faut donc bien choisir le titulaire principal du c" -"ompte pour l’espace de stockage partagé et la manière dont" -" les données seront transférées sur un autre compte si ce" -"tte personne quitte l’équipe.

                                                                                  " +"Veuillez inclure la documentation sur les proc" +"édures d’AQ ou de CQ qui seront utilisées. Consultez le ch" +"apitre 1.3 ASSURANCE ET CONTRÔLE DE LA QUALITÉ EN MATIÈRE " +"D’ÉCHANTILLONNAGE du Guide sur les pr" +"otocoles d’échantillonnage pour la qualité des eaux au Can" +"ada du CCME ou le Quality-Control Design for Surface-Water Sampling in the National Water-Q" +"uality Network de l’USGS (lien en anglais)." msgid "" -"Consider the cost of systematic review managem" -"ent software and citation management software if you are applying for a grant," -" as well as the cost for shared storage space, if needed. What training do you" -" or your team need to ensure that everyone is able to adhere to the processes/" -"policies outlined in the data management plan? " +"Consider how you will capture this information" +" and where it will be recorded, ideally in advance of data collection and anal" +"ysis, to ensure accuracy, consistency, and completeness of the documentation. " +"Writing guidelines or instructions for the documentation process will enhance " +"adoption and consistency among contributors. Often, resources you have already created can contribute to this (e.g., " +"laboratory Standard Operating Procedures (SOPs), recommended textbooks,  " +"publications, websites, progress reports, etc.).  

                                                                                  It is useful to consult regularly with the me" +"mbers of the research team to capture potential changes in data collection or " +"processing that need to be reflected in the documentation. Individual roles an" +"d workflows should include gathering data documentation as a key element. Researchers should audit their documentatio" +"n at a specific time interval (e.g., bi-weekly) to ensure documentation is cre" +"ated properly and information is captured consistently throughout the project." +" " msgstr "" -"Tenez compte du coût du logiciel de gest" -"ion de la revue systématique et du logiciel de gestion des citations si" -" vous demandez une subvention ; tenez également compte du co&uci" -"rc;t de l’espace de stockage partagé, le cas échéan" -"t. Quelle formation pourrait être utile pour vous ou votre équipe" -" pour faire en sorte que chacun est en mesure de respecter les processus ou le" -"s politiques dans le plan de gestion des données ? " +"Réfléchissez à la mani&eg" +"rave;re dont vous allez saisir ces informations et à l’endroit o&" +"ugrave; elles seront enregistrées, idéalement avant la collecte " +"et l’analyse des données, afin de garantir l’exactitude, la" +" cohérence et l’exhaustivité de la documentation. La r&eac" +"ute;daction de lignes directrices ou d’instructions pour le processus de" +" documentation favorisera l’adoption et la cohérence parmi les co" +"ntributeurs. Souvent, les ressources que vous avez déjà cr&eacut" +"e;ées peuvent y contribuer (par exemple, des procédures op&eacut" +"e;ratoires normalisées (PON) des laboratoires, manuels recommandé" +";s, publications, sites web, rapports d’avancement, etc.). <" +"br />
                                                                                  Consultez régulièrement les membres de l’équipe" +" de recherche afin de saisir les changements potentiels dans la collecte ou le" +" traitement des données qui doivent être reflétés d" +"ans la documentation. Les rôles individuels et les flux de travail doive" +"nt inclure la collecte de la documentation sur les données comme &eacut" +"e;lément clé. Les chercheurs doivent vérifier leur docume" +"ntation à un intervalle de temps précis (par exemple, toutes les" +" deux semaines) pour s’assurer que la documentation est cré&eacut" +"e;e correctement et que l’information est saisie de manière coh&e" +"acute;rente tout au long du projet. " msgid "" -"Most reviews do not include sensitive data, bu" -"t if you are using individual patient-level data in your meta-analysis there m" -"ay be data sharing agreements that are required between institutions. These ap" -"provals require coordination with the legal teams between multiple institution" -"s and will necessitate secure data management practices. This type of data wil" -"l not be open for sharing. Sensitive data should never be shared via email or " -"cloud storage services such as Dropbox." +"

                                                                                  Water Quality metadata standards:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • DS-WQX: A schema designed for data entered into the DataStream reposi" +"tory based off of the US EPA’s WQX standard.
                                                                                  • \n" +"
                                                                                  • WQX: Data model designed by the US EPA and USGS for" +" upload to their water quality exchange portal.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Ecological metadata standards:

                                                                                  \n" +" \n" +"

                                                                                  Geographic metadata standards:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • ISO 1911" +"5: International Standards Organisa" +"tion’s schema for describing geographic information and services." +"
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Read more about metadata standards: " +"UK Digital Curation Centre's Disciplinary Metadata.

                                                                                  " msgstr "" -"La plupart des revues systématiques ne " -"comportent pas de données sensibles, mais si vous utilisez des donn&eac" -"ute;es individuelles sur les patients dans votre méta-analyse, il se pe" -"ut que des ententes de partage de données soient nécessaires ent" -"re les établissements. Ces ententes exigent une coordination entre les " -"services juridiques des établissements et nécessitent des pratiq" -"ues de gestion des données sécurisées. Ces données" -" ne seront pas partagées librement. Les données sensibles ne doi" -"vent jamais être partagées par courrier électronique ou pa" -"r des services de stockage dans le nuage tels que Dropbox." msgid "" -"Systematic reviews generally do not generate s" -"ensitive data, however, it may be useful for different readers (e.g., funders," -" ethics boards) if you explicitly indicate that you do not expect to generate " -"sensitive data." +"

                                                                                  Metadata describes a dataset and provides v" +"ital information such as owner, description, keywords, etc. that allow data to" +" be shared and discovered effectively. Researchers are encouraged to adopt com" +"monly used and interoperable metadata schemas (general or domain-specific), wh" +"ich focus on the exchange of data via open spatial standards. Dataset document" +"ation should be provided in a standard, machine readable, openly-accessible fo" +"rmat to enable the effective exchange of information between users and systems" +". 

                                                                                  " msgstr "" -"Les revues systématiques ne gén&" -"egrave;rent généralement pas de données sensibles, cepend" -"ant, certains lecteurs (par exemple, les bailleurs de fonds, les comité" -"s d’éthique) pourraient trouver utile que vous indiquiez explicit" -"ement que vous n’envisagez pas de générer de donnée" -"s sensibles." +"

                                                                                  Les métadonnées décrivent un jeu de données" +" et fournissent des informations essentielles telles que le propriétaire, la d" +"escription, les mots clés, etc. qui permettent de partager et de découvrir les" +" données de manière efficace. Les chercheurs sont encouragés à adopter des sch" +"émas de métadonnées (généraux ou spécifiques à un domaine) communément utilisé" +"s et interopérables, qui mettent l’accent sur l’échange de données via des nor" +"mes spatiales ouvertes. La documentation des jeux de données doit être fournie" +" dans un format standard, lisible par machine et accessible à tous, afin de pe" +"rmettre un échange efficace d’informations entre les utilisateurs et les systè" +"mes.

                                                                                  " msgid "" -"

                                                                                  Be aware that PDF articles and even databas" -"e records used in your review may be subject to copyright. You can store them " -"in your group project space, but they should not be shared as part of your ope" -"n dataset.

                                                                                  -\n" -"

                                                                                  If you are reusing others’ published " -"datasets as part of your meta-analysis, ensure that you are complying with any" -" applicable licences on the original dataset, and properly cite that dataset.<" -"/span>

                                                                                  " +"Deviation from existing metadata standards should only occur when necessary. I" +"f this is the case, please document these deviations so that others can recrea" +"te your process." msgstr "" -"

                                                                                  Sachez que les articles en format PDF et le" -"s enregistrements de base de données utilisés dans votre revue p" -"euvent être soumis à des droits d’auteur. Vous pouvez les s" -"tocker dans votre espace de projet pour le groupe, mais ils ne doivent pas &ec" -"irc;tre partagés avec votre ensemble de données en libre acc&egr" -"ave;s.

                                                                                  -\n" -"

                                                                                  Si vous réutilisez des ensembles de " -"données publiés par autrui dans le cadre de votre méta-an" -"alyse, assurez-vous que vous respectez toutes les licences applicables aux ens" -"embles de données originaux et citez correctement ces ensembles de donn" -"ées.

                                                                                  " +"Vous ne devriez vous écarter des normes" +" de métadonnées existantes qu’en cas de nécessit&ea" +"cute;. Le cas échéant, veuillez documenter ces écarts afi" +"n que d’autres puissent recréer votre processus. " msgid "" -"Examples of experimental image data may includ" -"e: Magnetic Resonance (MR), X-ray, Fluorescent Resonance Energy Transfer (FRET" -"), Fluorescent Lifetime Imaging (FLIM), Atomic-Force Microscopy (AFM), Electro" -"n Paramagnetic Resonance (EPR), Laser Scanning Microscope (LSM), Extended X-ra" -"y Absorption Fine Structure (EXAFS), Femtosecond X-ray, Raman spectroscopy, or" -" other digital imaging methods. " +"Once a standard has been chosen, it is importa" +"nt that data collectors have the necessary tools to properly create or capture" +" the metadata. Audits of collected meta" +"data should occur at specific time intervals (e.g., bi-weekly) to ensure metad" +"ata is created properly and captured consistently throughout the project.

                                                                                  Some tips for ensuring good met" +"adata collection are:
                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Provide support documentation and routine metadata training to data collec" +"tors.
                                                                                  • \n" +"
                                                                                  • Provide data collectors with thorough data" +" collection tools (e.g., field or lab sheets) so they are able to capture the " +"necessary information.
                                                                                  • \n" +"
                                                                                  • Samples or notes recorded in a field or la" +"b book should be scanned or photographed daily to prevent lost data. \n" +"
                                                                                  " msgstr "" -"Voici quelques exemples de données d'im" -"ages expérimentales : de la résonance magnétique (RM), de" -"s rayons X, du transfert d’énergie entre molécules fluores" -"centes (FRET), de l’imagerie fluorescente en temps de vie (FLIM), de la " -"microscopie à force atomique (AFM), de la résonance paramagn&eac" -"ute;tique électronique (RPE), du microscope à balayage laser (LS" -"M), de la spectrométrie d’absorption des rayons X (EXAFS), des fa" -"isceaux de rayonnement X ultra brefs, de la spectroscopie Raman ou d’aut" -"res méthodes d’imagerie numérique." +"Une fois qu’une norme a été" +"; choisie, il est important que les collecteurs de données disposent de" +"s outils nécessaires pour créer ou saisir correctement les m&eac" +"ute;tadonnées. Les vérifications des métadonnées c" +"ollectées doivent avoir lieu à des intervalles de temps sp&eacut" +"e;cifiques (par exemple, toutes les deux semaines) pour garantir que les m&eac" +"ute;tadonnées sont créées correctement et saisies de mani" +"ère cohérente tout au long du projet.

                                                                                  Voici quelques " +"conseils pour assurer une bonne collecte de métadonnées : \n" +"
                                                                                    \n" +"
                                                                                  • Offrez une documentation de soutien et de " +"la formation régulière sur les métadonnées aux col" +"lecteurs de données ;
                                                                                  • \n" +"
                                                                                  • Fournissez aux collecteurs de donné" +"es des outils de collecte de données complets (par exemple, des fiches " +"de terrain ou de laboratoire) afin qu’ils soient en mesure de saisir les" +" informations nécessaires ;
                                                                                  • \n" +"
                                                                                  • Les échantillons ou notes enregistr" +"és dans un carnet de terrain ou de laboratoire doivent être num&e" +"acute;risés ou photographiés quotidiennement pour éviter " +"la perte de données.
                                                                                  • \n" +"
                                                                                  " msgid "" -"

                                                                                  Describe the type(s) of data that will be c" -"ollected, such as: text, numeric (ASCII, binary), images, and animations. " -";

                                                                                  -\n" -"List the file formats you expect to use. Keep " -"in mind that some file formats are optimal for the long-term preservation of d" -"ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" -"ed ('.csv'), TIFF (‘.tiff’), JPEG (‘.jpg’), and MPEG-4" -" (‘.m4v’, ‘mp4’). Files converted from one format to a" -"nother for archiving and preservation may lose information (e.g. converting fr" -"om an uncompressed TIFF file to a compressed JPG file), so changes to file for" -"mats should be documented. Guidance on file formats recommended for sharing an" -"d preservation are available from the UK Data Service, Cornell’s Digital Repository, the University of Edinburgh, and the University of B" -"ritish Columbia. " +"Storage-space estimates should take into accou" +"nt requirements for file versioning, backups and growth over time. A long-term storage plan is necessary if you inten" +"d to retain your data after the research project.
                                                                                  " msgstr "" -"

                                                                                  Décrivez les types de données qui seront collectés, te" -"ls que texte, numérique (ASCII, binaire), images et animations.

                                                                                  -\n" -"Indiquez les formats de fichiers que vous comp" -"tez utiliser. Gardez à l’esprit que certains formats de fichiers " -"sont optimaux pour conserver les données à long terme, par exemp" -"le les formats non propriétaires tels que le texte ('.txt'), la s&eacut" -"e;paration par virgule ('.csv'), le TIFF ('.tiff'), le JPEG ('.jpg') et le MPE" -"G-4 ('.m4v', 'mp4'). Les fichiers convertis d’un format à un autr" -"e à des fins d’archivage et de conservation peuvent perdre des in" -"formations (par exemple, la conversion d’un fichier TIFF non compress&ea" -"cute; en un fichier JPG compressé) ; vous devriez donc documente" -"r les modifications apportées aux formats de fichiers. Les directives s" -"ur les formats de fichiers recommandés pour le partage et la conservati" -"on sont disponibles sur le site du Service des données du Royaume-Uni, du Dépôt numérique de C" -"ornell, de l’Université d’Édimbourg et de l’Université de la " -"Colombie-Britannique (liens en anglais). " +"Les estimations de l’espace de stockage " +"doivent tenir compte des besoins en matière de versions de fichiers, de" +" sauvegardes et de croissance au fil du temps. Un plan de stockage à lo" +"ng terme est nécessaire si vous avez l’intention de conserver vos" +" données après le projet de recherche." msgid "" -"

                                                                                  Describe any secondary data you expect to r" -"euse. List any available documentation, licenses, or terms of use assigned. If" -" the data have a DOI or unique accession number, include that information and " -"the name of the repository or database that holds the data. This will allow yo" -"u to easily navigate back to the data, and properly cite and acknowledge the d" -"ata creators in any publication or research output.  

                                                                                  -\n" -"

                                                                                  For data that are not publicly available, y" -"ou may have entered into a data-sharing arrangement with the data owner, which" -" should be noted here.  A data-sharing arrangement describes what data ar" -"e being shared and how the data can be used. It can be a license agreement or " -"any other formal agreement, for example, an agreement to use copyright-protect" -"ed data.

                                                                                  " +"

                                                                                  The risk of losing data due to human error," +" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" +"ackup rule: Have at least three copies of your data; store the copies on two d" +"ifferent media; keep one backup copy offsite. Data may be stored using optical or magnetic media, which can be remova" +"ble (e.g., DVD and USB drives), fixed (e.g., desktop or laptop hard drives), o" +"r networked (e.g., networked drives or cloud-based servers such as Compute Ca" +"nada). Each storage method has bene" +"fits and drawbacks that should be considered when determining the most appropr" +"iate solution.

                                                                                  Raw data shou" +"ld be preserved and never altered. Some options for preserving raw data are st" +"oring on a read-only drive or archiving the raw, unprocessed data. The preserv" +"ation of raw data should be included in the data collection process and backup" +" procedures.

                                                                                  Examples of fur" +"ther information on storage and backup practices are available from the" +" University of Toronto and the UK Data Service<" +"/a>.

                                                                                  " msgstr "" -"

                                                                                  Décrivez toutes les données s" -"econdaires que vous comptez réutiliser. Indiquez toutes les documentati" -"ons disponibles, les licences ou les conditions d’utilisation assign&eac" -"ute;es. Si les données ont un identifiant d’objet numériqu" -"e (Digital Object Identifier – DOI) ou un numéro d’acc&egra" -"ve;s unique, indiquez cette information et le nom du dépôt ou de " -"la base de données qui les détient. Cette information vous perme" -"ttra de retrouver facilement les données ; elle vous permettra aus" -"si de citer et de reconnaître correctement les créateurs des donn" -"ées dans toutes les publications ou tous les résultats de recher" -"che. 

                                                                                  -\n" -"

                                                                                  Pour les données qui ne sont pas acc" -"essibles publiquement, vous avez peut-être établi une entente sur" -" le partage de données avec le propriétaire des données&t" -"hinsp;; celle-ci doit être mentionnée ici. Une entente sur le par" -"tage de données décrit les données qui sont partagé" -";es et la manière dont elles peuvent être utilisées. Il pe" -"ut s’agir d’un contrat de licence ou de tout autre accord formel, " -"par exemple une entente d’utilisation de données protég&ea" -"cute;es par des droits d’auteur.

                                                                                  " msgid "" -"

                                                                                  An example of experimental data from a seco" -"ndary data source may be structures or parameters obtained from P" -"rotein Data Bank (PDB). 

                                                                                  -\n" -"

                                                                                  Examples of computational data and data sou" -"rces may include: log files, parameters, structures, or trajectory files from " -"previous modeling/simulations or tests.

                                                                                  " +"An ideal shared data management solution facil" +"itates collaboration, ensures data security and is easily adopted by users wit" +"h minimal training. Tools such as the Globus file transfer system, currently in use by many academic institutions, all" +"ows data to be securely transmitted between researchers or to centralized proj" +"ect data storage. Relying on email for data transfer is not a robust or secure" +" solution. 

                                                                                  Third-party" +" commercial file sharing services (such as Google Drive and Dropbox) facilitat" +"e file exchange, but they are not necessarily permanent or secure, and are oft" +"en located outside Canada. Additional r" +"esources such as Open Science Framework and Com" +"pute Canada are also recommended op" +"tions for collaborations. 
                                                                                  If your data will be collected on Indigenous lands, how will you share dat" +"a with community members throughout the project? 

                                                                                  Please contact librarians at your institution to de" +"termine if there is support available to develop the best solution for your re" +"search project.
                                                                                  " +msgstr "" +"Une solution idéale de gestion des donn" +"ées partagées facilite la collaboration, assure la sécuri" +"té des données et est facilement adoptée par les utilisat" +"eurs avec un minimum de formation. Des outils tels que le système de tr" +"ansfert de fichiers Globus (lien en<" +"/em> anglais), actuellement utilisé par de nombreux éta" +"blissements universitaires, permettent de transmettre les données en to" +"ute sécurité entre les chercheurs ou de centraliser le stockage " +"des données des projets. L’utilisation du courrier électro" +"nique pour le transfert de données n’est pas une solution robuste" +" ou sûre.

                                                                                  Les service" +"s de partage de fichiers commerciaux tiers (tels que Google Drive et Dropbox) " +"facilitent l’échange de fichiers, mais ils ne sont pas néc" +"essairement permanents ou sécurisés et ils sont souvent situ&eac" +"ute;s à l’extérieur du Canada. Des ressources supplé" +";mentaires telles que Open Science Framework (lien en anglais
                                                                                  ) et Cal" +"cul Canada sont également des options recommandées pour les " +"collaborations.
                                                                                   

                                                                                  Si vous collectez des données sur des" +" terres autochtones, comment allez-vous partager les données avec les m" +"embres de la communauté tout au long du projet ?

                                                                                  Veuillez communiquer avec les biblioth&eac" +"ute;caires de votre établissement afin de déterminer s’il " +"existe un soutien disponible pour développer la meilleure solution pour" +" votre projet de recherche.
                                                                                  " + +msgid "" +"Describe the roles and responsibilities of all" +" parties with respect to the management of the data. Consider the following:
                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • If there are multiple investigators involv" +"ed, what are the data management responsibilities of each investigator? <" +"/span>
                                                                                  • \n" +"
                                                                                  • If data will be collected by students, cla" +"rify the student role versus the principal investigator role, and identify who" +" will hold theIntellectual Property rights.  
                                                                                  • \n" +"
                                                                                  • Will training be required to perform the d" +"ata collection or data management tasks? If so, how will this training be admi" +"nistered and recorded? 
                                                                                  • \n" +"
                                                                                  • Who will be the primary person responsible" +" for ensuring compliance with the Data Management Plan during all stages of th" +"e data lifecycle?
                                                                                  • \n" +"
                                                                                  • Include the time frame associated with the" +"se staff responsibilities and any training needed to prepare staff for these d" +"uties.
                                                                                  • \n" +"
                                                                                  " msgstr "" -"

                                                                                  Un exemple de données expérim" -"entales provenant d’une source de données secondaire peut ê" -"tre des structures ou des paramètres obtenus à partir de la banque de données sur les protéines (PDB; lien en anglais). 

                                                                                  -\n" -"

                                                                                  Voici quelques exemples de données d" -"e calcul et de sources de données : fichiers journaux, param&egrav" -"e;tres, structures ou fichiers de trajectoire issus de modélisation/sim" -"ulation ou de tests antérieurs.

                                                                                  " +"Décrivez les rôles et les respons" +"abilités de toutes les parties en ce qui concerne la gestion des donn&e" +"acute;es. Considérez les points suivants :
                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • S’il y a plusieurs chercheurs, quell" +"es sont les responsabilités de chaque chercheur en matière de ge" +"stion des données ?
                                                                                  • \n" +"
                                                                                  • Si des étudiants collectent les don" +"nées, clarifiez le rôle de l’étudiant par rapport au" +" rôle du chercheur principal et déterminez qui détiendra l" +"es droits de propriété intellectuelle. 
                                                                                  • \n" +"
                                                                                  • Une formation sera-t-elle nécessair" +"e pour effectuer les tâches de collecte ou de gestion des données" +" ? Si oui, comment cette formation sera-t-elle administrée et en" +"registrée ?
                                                                                  • \n" +"
                                                                                  • Qui sera la principale personne charg&eacu" +"te;e de veiller au respect du plan de gestion des données à tous" +" les stades du cycle de vie des données ?
                                                                                  • \n" +"
                                                                                  • Indiquez l’échéancier " +"associé aux responsabilités du personnel et les formations n&eac" +"ute;cessaires pour préparer le personnel à ces tâches.
                                                                                  • \n" +"
                                                                                  " msgid "" -"

                                                                                  List all devices and/or instruments and des" -"cribe the experimental setup (if applicable) that will be utilized to collect " -"empirical data. For commercial instruments or devices, indicate the brand, typ" -"e, and other necessary characteristics for identification. For a home-built ex" -"perimental setup, list the components, and describe the functional connectivit" -"y. Use diagrams when essential for clarity. 

                                                                                  -\n" -"

                                                                                  Indicate the program and software package w" -"ith the version you will use to prepare a structure or a parameter file for mo" -"deling or simulation. If web-based services such as FALCON@home" -", ProM" -"odel, CHARMM-GUI, etc. will be used to prepare or generate data, provide" -" details such as the name of the service, URL, version (if applicable), and de" -"scription of how you plan to use it. 

                                                                                  -\n" -"If you plan to use your own software or code, " -"specify where and how it can be obtained to independently verify computational" -" outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" -"r source. Specify if research collaboration platforms such as CodeOcean, or
                                                                                  WholeTale
                                                                                  will be used to create, execute, and publish computational findings. " +"Indicate a succession strategy for these data " +"in the event that one or more people responsible for the data leaves (e.g., a " +"student leaving after graduation). Desc" +"ribe the process to be followed in the event that the Principal Investigator l" +"eaves the project. In some instances, a co-investigator or the department or d" +"ivision overseeing this research will assume responsibility." msgstr "" -"

                                                                                  Énumérez tous les dispositifs" -" ou instruments et décrivez le dispositif expérimental (le cas &" -"eacute;chéant) qui sera utilisé pour recueillir des donné" -"es empiriques. Pour les instruments ou dispositifs commerciaux, indiquez la ma" -"rque, le type et les autres caractéristiques nécessaires à" -"; l’identification. Pour un dispositif expérimental cré&ea" -"cute; dans l’établissement, énumérez les composants" -" et décrivez la connectivité fonctionnelle. Utilisez des diagram" -"mes lorsque ceux-ci sont essentiels pour la clarté. 

                                                                                  -\n" -"

                                                                                  Indiquez le programme et le progiciel avec " -"la version que vous utiliserez pour préparer une structure ou un fichie" -"r de paramètres pour la modélisation ou la simulation. Si des se" -"rvices basés sur le web, tels que FALCON@home, ProModel" -", CHARMM-GUI (liens en anglai" -"s), etc. sont utilisés pour pr&eac" -"ute;parer ou générer des données, fournissez des dé" -";tails tels que le nom du service, l’URL, la version (le cas éch&" -"eacute;ant) et une description de la manière dont vous prévoyez " -"de l’utiliser. 

                                                                                  -\n" -"

                                                                                  Si vous envisagez d’utiliser votre pr" -"opre logiciel ou code, précisez son emplacement et la manière qu" -"’on puisse l’obtenir pour vérifier de manière ind&ea" -"cute;pendante les résultats des calculs et reproduire les chiffres en f" -"ournissant l’identifiant d’objet numérique, le lien vers Gi" -"tHub ou une autre source. Précisez si des plateformes de collaboration " -"de recherche telles que CodeOcean, ou WholeTale" -" (liens en anglais) seront utilisées pour créer, exécuter et publier des r" -"ésultats de calcul.

                                                                                  " +"Indiquez une stratégie de relève" +" pour ces données au cas où une ou plusieurs personnes responsab" +"les des données quitteraient le projet (par exemple, un étudiant" +" qui quitte le projet après avoir obtenu son diplôme). Déc" +"rivez le processus à suivre si le chercheur principal quitte le projet." +" Dans certains cas, un co-chercheur ou le département ou la division qu" +"i supervise cette recherche en assumera la responsabilité." msgid "" -"Reproducible computational practices are criti" -"cal to continuing progress within the discipline. At a high level, describe th" -"e steps you will take to ensure computational reproducibility in your project," -" including the operations you expect to perform on the data, and the path take" -"n by the data through systems, devices, and/or procedures. Describe how an ins" -"trument response function will be obtained, and operations and/or procedures t" -"hrough which data (research and computational outputs) can be replicated. Indi" -"cate what documentation will be provided to ensure the reproducibility of your" -" research and computational outputs." +"This estimate should incorporate data manageme" +"nt costs incurred during the project and those required for longer-term suppor" +"t for the data when the project is finished, such as the cost of preparing&nbs" +"p; your data for deposit and repository fees. Some funding agencies state explicitly the support that they will provi" +"de to meet the cost of preparing data for deposit. This might include technica" +"l aspects of data management, training requirements, file storage & backup" +" and contributions of non-project staff. Can you leverage existing resources, such as Compute Canada Resources, Unive" +"rsity Library Data Services, etc. to support implementation of your DMP?
                                                                                  " +"

                                                                                  To help assess costs, OpenAIRE&rs" +"quo;s ‘estimating costs RDM tool’ may be useful. " msgstr "" -"Les pratiques de calcul reproductibles sont es" -"sentielles pour continuer à progresser dans la discipline. Décri" -"vez de manière générale les mesures que vous prendrez pou" -"r assurer la reproductibilité des calculs dans votre projet, y compris " -"les opérations que vous prévoyez d’effectuer sur les donn&" -"eacute;es et le cheminement des données à travers les syst&egrav" -"e;mes, les dispositifs ou les procédures. Décrivez comment une f" -"onction de réponse d’un instrument sera obtenue, et les opé" -";rations ou les procédures par lesquelles les données (ré" -"sultats de recherche et de calcul) peuvent être reproduites. Indiquez qu" -"elle documentation sera fournie pour assurer la reproductibilité de vos" -" résultats de recherche et de calcul." +"Cette estimation doit intégrer les co&u" +"circ;ts de gestion des données encourus pendant le projet et ceux requi" +"s pour le soutien à plus long terme des données lorsque le proje" +"t est terminé, comme le coût de préparation de vos donn&ea" +"cute;es pour le dépôt et les frais de dépôt. Certain" +"s organismes de financement indiquent explicitement le soutien qu’ils ap" +"porteront pour couvrir le coût de la préparation des donné" +"es en vue de leur dépôt. Cela peut inclure les aspects techniques" +" de la gestion des données, les besoins en formation, le stockage et la" +" sauvegarde des fichiers et les contributions du personnel en dehors du projet" +". Pouvez-vous tirer parti des ressources existantes, telles que les ressources" +" de Calcul Canada, les services de données des bibliothèques uni" +"versitaires, etc. pour soutenir la mise en œuvre de votre PGD ?
                                                                                  Pour aider à év" +"aluer les coûts, l’outil d&rs" +"quo;estimation des coûts de GDR d’OpenAIRE peut être utile (lien en anglais)." +" " msgid "" -"

                                                                                  Some examples of data procedures include: d" -"ata normalization, data fitting, data convolution, or Fourier transformation.&" -"nbsp;

                                                                                  -\n" -"

                                                                                  Examples of documentation may include: synt" -"ax, code, algorithm(s), parameters, device log files, or manuals. 

                                                                                  " +"Use all or parts of existing strategies to mee" +"t your requirements." msgstr "" -"

                                                                                  Voici quelques exemples de procédure" -"s relatives aux données : normalisation des données, ajuste" -"ment des données, convolution des données ou transformation de F" -"ourier. 

                                                                                  -\n" -"

                                                                                  Voici quelques exemples de documentation&nb" -"sp;: la syntaxe, le code, les algorithmes, les paramètres, les fichiers" -" journaux des appareils ou les manuels.

                                                                                  " +"Utilisez des stratégies existantes en e" +"ntier ou en partie pour répondre à vos besoins." msgid "" -"

                                                                                  Documentation can be provided in the form o" -"f a README file with information to ensure the data can be correctly interpret" -"ed by you or by others when you share or publish your data. Typically, a READM" -"E file includes a description (or abstract) of the study, and any other contex" -"tual information required to make data usable by other researchers. Other info" -"rmation could include: research methodology used, variable definitions, vocabu" -"laries, units of measurement, assumptions made, format and file type of the da" -"ta, a description of the data origin and production, an explanation of data fi" -"le formats that were converted, a description of data analysis performed, a de" -"scription of the computational environment, references to external data source" -"s, details of who worked on the project and performed each task. Further guida" -"nce on writing README files is available from the University of British Columb" -"ia (U" -"BC) and Cornell" -" University. 

                                                                                  -\n" -"

                                                                                  Consider also saving detailed information d" -"uring the course of the project in a log file. A log file will help to manage " -"and resolve issues that arise during a project and prioritize the response to " -"them. It may include events that occur in an operating system, messages betwee" -"n users, run time and error messages for troubleshooting. The level of detail " -"in a log file depends on the complexity of your project.

                                                                                  " -msgstr "" -"

                                                                                  Les documents peuvent être fournis so" -"us la forme d’un fichier README (lisez-moi) contenant des informations p" -"ermettant de s’assurer que les données peuvent être correct" -"ement interprétées par vous ou par d’autres personnes lors" -"que vous partagez ou publiez vos données. En règle gén&ea" -"cute;rale, un fichier README comprend une description (ou un résum&eacu" -"te;) de l’étude et toute autre information contextuelle né" -"cessaire pour rendre les données utilisables par d’autres cherche" -"urs. Il peut aussi inclure d’autres renseignements, notamment la m&eacut" -"e;thodologie de recherche, les définitions des variables, les vocabulai" -"res, les unités de mesure, les hypothèses formulées, le f" -"ormat et le type de fichier des données, une description de l’ori" -"gine et de la production des données, une explication des formats de fi" -"chiers de données qui ont été convertis, une description " -"de l’analyse des données, une description de l’environnemen" -"t informatique, des références aux sources de données ext" -"ernes, des détails sur les personnes qui ont travaillé sur le pr" -"ojet et qui ont effectué chaque tâche. Vous pouvez obtenir des co" -"nseils supplémentaires sur la rédaction des fichiers README aupr" -"ès de l’Université de Colombie-Britannique (UBC<" -"/span>) et de le l’Université Cornell (lien en anglais)

                                                                                  -" -"\n" -"

                                                                                  Envisagez également de sauvegarder d" -"es informations détaillées au cours du projet dans un fichier jo" -"urnal. Un fichier journal aidera à gérer et à réso" -"udre les problèmes qui surviennent au cours d’un projet et &agrav" -"e; établir un ordre de priorité pour y répondre. Il peut " -"comprendre des événements qui se produisent dans un systè" -"me d’exploitation, des messages entre utilisateurs, la durée d&rs" -"quo;exécution et des messages d’erreur pour le dépannage. " -"Le niveau de détail d’un fichier journal dépend de la comp" -"lexité de votre projet.

                                                                                  " +"

                                                                                  In these instances, it is critical to asses" +"s whether data can or should be shared. It is necessary to comply with:" +"

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Data treatment p" +"rotocols established by the Research Ethics Board (REB) process, including dat" +"a collection consent, privacy considerations, and potential expectations of da" +"ta destruction;
                                                                                  • \n" +"
                                                                                  • Data-sharing agr" +"eements or contracts.  Data that you source or derive from a third party " +"may only be shared in accordance with the original data sharing agreements or " +"licenses;
                                                                                  • \n" +"
                                                                                  • Any relevant leg" +"islation.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Note:  If raw " +"or identifiable data cannot be shared, is it possible to share aggregated data" +", or to de-identify your data, or coarsen location information for sharing? If" +" data cannot be shared, consider publishing descriptive metadata (data about t" +"he data), documentation and contact information that will allow others to disc" +"over your work.

                                                                                  " +msgstr "" +"

                                                                                  Dans ces cas, il est essentiel d’évaluer si les données" +" peuvent ou doivent être partagées. Vous devez vous conformer aux" +" :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Protocoles de tr" +"aitement des données établis par le processus du comité d" +"’éthique de la recherche (CER), y compris le consentement à" +"; la collecte des données, les considérations relatives à" +" la vie privée et les attentes potentielles en matière d’&" +"eacute;limination des données ;
                                                                                  • \n" +"
                                                                                  • Ententes ou cont" +"rats de partage de données. Les données que vous fournissez ou q" +"ue vous obtenez d’un tiers ne peuvent être partagées que co" +"nformément aux ententes ou licences de partage de données origin" +"ales ;
                                                                                  • \n" +"
                                                                                  • Toute lég" +"islation pertinente.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Notez :  Si des donn&" +"eacute;es brutes ou identificatoires ne peuvent pas être partagée" +"s, est-il possible de partager des données agrégées, de d" +"épersonnaliser vos données ou de généraliser les r" +"enseignements de localisation pour les partager ? Si les données" +" ne peuvent pas être partagées, envisagez de publier des mé" +";tadonnées descriptives (données sur les données), de la " +"documentation et les coordonnées personnelles qui permettront à " +"d’autres personnes de découvrir votre travail.

                                                                                  " msgid "" -"

                                                                                  Consider how you will capture this informat" -"ion in advance of data production and analysis, to ensure accuracy, consistenc" -"y, and completeness of the documentation.  Often, resources you've alread" -"y created can contribute to this (e.g. publications, websites, progress report" -"s, etc.).  It is useful to consult regularly with members of the research" -" team to capture potential changes in data collection/processing that need to " -"be reflected in the documentation. Individual roles and workflows should inclu" -"de gathering data documentation as a key element.

                                                                                  -\n" -"Describe how data will be shared and accessed " -"by the members of the research group during the project. Provide details of th" -"e data management service or tool (name, URL) that will be utilized to share d" -"ata with the research group (e.g. Open Science Framework [OSF] or Radiam)." +"

                                                                                  Think about what data needs to be shared to" +" meet institutional or funding requirements, and what data may be restricted b" +"ecause of confidentiality, privacy, or intellectual property considerations.

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Raw data are unprocessed data directly obtained from sampling, field instrume" +"nts, laboratory instruments,  modelling,  simulation, or survey.&nbs" +"p; Sharing raw data is valuable because it enables researchers to evaluate new" +" processing techniques and analyse disparate datasets in the same way. 
                                                                                  • \n" +"
                                                                                  • Processed data results from some manipulation of the raw data in order to eli" +"minate errors or outliers, to prepare the data for analysis or preservation, t" +"o derive new variables, or to de-identify the sampling locations. Processing s" +"teps need to be well described.
                                                                                  • \n" +"
                                                                                  • Analyzed data are the results of qualitative, statistical, or mathematical an" +"alysis of the processed data. They may  be presented as graphs, charts or" +" statistical tables.
                                                                                  • \n" +"
                                                                                  • Final data are processed " +"data that have undergone a review process to ensure data quality and, if neede" +"d, have been converted into a preservation-friendly format.
                                                                                  • \n" +"
                                                                                  " msgstr "" -"

                                                                                  Réfléchissez à la mani" -"ère dont vous allez saisir ces informations avant la production et l&rs" -"quo;analyse des données, afin de garantir l’exactitude, la coh&ea" -"cute;rence et l’exhaustivité de la documentation. Souvent, les re" -"ssources que vous avez déjà créées peuvent y contr" -"ibuer (par exemple, des publications, des sites web, des rapports d’avan" -"cement, etc.). Il est utile de consulter régulièrement les membr" -"es de l’équipe de recherche afin de saisir les changements potent" -"iels dans la collecte ou le traitement des données qui doivent êt" -"re reflétés dans la documentation. Les rôles individuels e" -"t les flux de travail doivent inclure la collecte de la documentation des donn" -"ées comme élément clé.

                                                                                  Décrivez comment les données seront parta" -"gées avec membres du groupe de recherche et comment ceux-ci y auront ac" -"cès pendant le projet. Précisez le service ou l’outil de g" -"estion des données (nom, URL) qui sera utilisé pour partager les" -" données avec le groupe de recherche (par exemple, Open Science Framewo" -"rk [OSF] ou Radiam; liens en anglais).

                                                                                  " +"

                                                                                  Réfléchissez aux donné" +"es qui doivent être partagées pour répondre aux exigences " +"de l’établissement ou de l’entente de financement et aux do" +"nnées qui peuvent être restreintes pour des raisons de confidenti" +"alité, de respect de la vie privée ou de propriété" +" intellectuelle.

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Les données brutes sont des don" +"nées non traitées obtenues directement par échantillonnag" +"e, instruments de terrain, instruments de laboratoire, modélisation, si" +"mulation ou enquête. Le partage des données brutes est pré" +"cieux, car il permet aux chercheurs d’évaluer de nouvelles techni" +"ques de traitement et d’analyser des ensembles de données dispara" +"tes de la même manière.
                                                                                  • \n" +"
                                                                                  • Les données traitées r&e" +"acute;sultent d’une certaine manipulation des données brutes afin" +" d’éliminer les erreurs ou les valeurs aberrantes, de prép" +"arer les données pour l’analyse ou la conservation, de dér" +"iver de nouvelles variables ou d’anonymiser les lieux d’éch" +"antillonnage. Les étapes de traitement doivent être bien dé" +";crites.
                                                                                  • \n" +"
                                                                                  • Les données analysées so" +"nt les résultats d’une analyse qualitative, statistique ou math&e" +"acute;matique des données traitées. Elles peuvent être pr&" +"eacute;sentées sous forme de graphiques, de diagrammes ou de tableaux s" +"tatistiques.
                                                                                  • \n" +"
                                                                                  • Les données finales sont des do" +"nnées traitées qui ont fait l’objet d’un processus d" +"e révision pour garantir la qualité des données et, si n&" +"eacute;cessaire, ont été converties dans un format adapté" +" à la conservation.
                                                                                  • \n" +"
                                                                                  " msgid "" -"

                                                                                  There are many general and domain-specific " -"metadata standards. Dataset documentation should be provided in a standard, ma" -"chine-readable, openly-accessible format to enable the effective exchange of i" -"nformation between users and systems. These standards are often based on langu" -"age-independent data formats such as XML, RDF, and JSON. Read more about metad" -"ata standards here: UK Digital Curation Centre's Disciplinary" -" Metadata.

                                                                                  " +"Data repositor" +"ies help maintain scientific data over time and support data discovery, reuse," +" citation, and quality. Researchers are encouraged to deposit data in leading " +"“domain-specific” repositories, especially those that are FAIR-ali" +"gned, whenever possible.
                                                                                  \n" +"

                                                                                  Domain-specific repositories for water quality data include:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • DataStream: A f" +"ree, open-access platform for storing, visualizing, and sharing water quality " +"data in Canada.
                                                                                  • \n" +"
                                                                                  • Canadian Aquatic Biomonitoring Network (CABIN)" +": A national biomonitoring program developed b" +"y Environment and Climate Change Canada that provides a standardized sampling " +"protocol and a recommended assessment approach for assessing aquatic ecosystem" +" condition.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  General Repositories:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Federated Research Data Repository: A scalable federated platform for digital research d" +"ata management (RDM) and discovery.
                                                                                  • \n" +"
                                                                                  • Institution-spec" +"ific Dataverse: Please contact your institution’s library to see if this" +" is a possibility.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Other resources:

                                                                                  \n" +"" msgstr "" -"

                                                                                  Il y a de nombreuses normes de métad" -"onnées générales et spécifiques à un domain" -"e. La documentation sur les jeux de données doit être fournie dan" -"s un format standard, lisible par machine et accessible à tous afin de " -"permettre un échange efficace d’informations entre les utilisateu" -"rs et les systèmes. Ces normes sont souvent basées sur des forma" -"ts de données indépendants du langage, tels que XML, RDF et JSON" -". Pour en savoir plus sur les normes de métadonnées, consultez l" -"e site suivant " -"Métadonnées disciplinaires du Di" -"gital Curation Centre (lien en anglais).

                                                                                  " +"Les dép" +"ôts de données aident à maintenir les données scien" +"tifiques dans le temps et favorisent la découverte, la réutilisa" +"tion, la citation et la qualité des données. Les chercheurs sont" +" encouragés à déposer les données dans des d&eacut" +"e;pôts de premier plan \"spécifiques à un domaine\", en part" +"iculier ceux qui respectent les principes FAIR, dans la mesure du possible. \n" +"

                                                                                  Les dépôts de données spécifiques &agrav" +"e; la qualité de l’eau comprennent :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • DataStream " +";: une plateforme gratuite en libre acc" +"ès pour le stockage, la visualisation et le partage des données " +"sur la qualité de l’eau au Canada (lien en anglais).
                                                                                  • \n" +"
                                                                                  • Réseau canadien de biosurveillance aqu" +"atique (RCBA) : un programme national de biosurveillance dével" +"oppé par Environnement et changement climatique Canada qui fournit un p" +"rotocole d’échantillonnage standardisé et une approche d&r" +"squo;évaluation recommandée pour évaluer l’é" +"tat des écosystèmes aquatiques.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Dépôts généraux :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Dépôt fédér&eacu" +"te; de données de recherche&" +"nbsp;: une plateforme fédérée évolutive pour la ge" +"stion et la découverte des données de recherche numérique" +" (GDR).
                                                                                  • \n" +"
                                                                                  • Dataverse par &e" +"acute;tablissement : veuillez communiquer avec la bibliothèque de " +"votre établissement pour savoir si vous avez cette option.
                                                                                  • " +"\n" +"
                                                                                  \n" +"

                                                                                  Autres ressources :

                                                                                  \n" +"" msgid "" -"Storage-space estimates should consider requir" -"ements for file versioning, backups, and growth over time.  If you are co" -"llecting data over a long period (e.g. several months or years), your data sto" -"rage and backup strategy should accommodate data growth. Similarly, a long-ter" -"m storage plan is necessary if you intend to retain your data after the resear" -"ch project. " +"Consider using preservation-friendly file form" +"ats. For example, non-proprietary formats, such as text (.txt) and comma-separ" +"ated (.csv), are considered preservation-friendly. For guidance, please see UBC Library" +", USGS, DataONE, or UK Data Service. Keep in mind that files converted from one format" +" to another may lose information (e.g., converting from an uncompressed TIFF f" +"ile to a compressed JPG file degrades image quality), so changes to file forma" +"ts should be documented. 

                                                                                  Some data you collect may be deemed sensitive and require unique preservati" +"on techniques, including anonymization. Be sure to note what this data is and " +"how you will preserve it to ensure it is used appropriately. Read more about a" +"nonymization: UBC Library or UK Data Service." msgstr "" -"Les estimations de l’espace de stockage " -"doivent tenir compte des besoins en matière de versions de fichiers, de" -" sauvegardes et de croissance dans le temps. Si vous collectez des donné" -";es sur une longue période (par exemple plusieurs mois ou années" -"), votre stratégie de stockage et de sauvegarde des données doit" -" tenir compte de la croissance des données. De même, un plan de s" -"tockage à long terme est nécessaire si vous avez l’intenti" -"on de conserver vos données après le projet de recherche. " +"Envisagez d’utiliser des formats de fich" +"iers faciles à conserver. Par exemple, les formats non propriéta" +"ires, tels que le texte (.txt) et les fichiers séparés par des v" +"irgules (.csv), sont considérés comme favorables à la con" +"servation. Pour obtenir des conseils, veuillez consulter la Bibliothèque de l&rs" +"quo;Université de la C.-B., USGS, Da" +"taONE, ou les Service des données du Royaume-Uni (liens en anglais" +"). N’oubliez pas que les fichiers convertis d’un format &" +"agrave; un autre peuvent perdre des informations (par exemple, la conversion d" +"’un fichier TIFF non compressé en un fichier JPG compressé" +" dégrade la qualité de l’image), c’est pourquoi les " +"changements de format de fichier doivent être documentés.
                                                                                  <" +"br />
                                                                                  Certaines données que vous " +"collectez peuvent être considérées comme sensibles et n&ea" +"cute;cessitent des techniques de conservation uniques, notamment l’anony" +"misation. Veillez à noter la nature de ces données et la mani&eg" +"rave;re dont vous les conserverez afin de garantir leur utilisation appropri&e" +"acute;e. Pour en savoir plus sur l’anonymisation consulter la Bibliothèque de l’Université de " +"la C.-B. ou Service des données du Royaume-Uni (liens en " +"anglais)." msgid "" -"

                                                                                  Data may be stored using optical or magneti" -"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" -" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" -"rvers). Each storage method has benefits and drawbacks that should be consider" -"ed when determining the most appropriate solution. 

                                                                                  -\n" -"The risk of losing data due to human error, na" -"tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" -"ckup rule: -\n" -"
                                                                                    -\n" -"
                                                                                  • Have at least three copies of your data.
                                                                                  • -\n" -"
                                                                                  • Store the copies on two different media.
                                                                                  • -\n" -"
                                                                                  • Keep one backup copy offsite.
                                                                                  • -" -"\n" -"
                                                                                  " +"Licenses dictate how your data can be used. Fu" +"nding agencies and data repositories may have end-user license requirements in" +" place; if not, they may still be able to guide you in choosing or developing " +"an appropriate license. Once determined, please consider including a copy of y" +"our end-user license with your Data Management Plan. Note that only the intell" +"ectual property rights holder(s) can issue a license, so it is crucial to clar" +"ify who owns those rights. 

                                                                                  There are several types of standard licenses available to researchers, su" +"ch as the Creative Commons licenses and the Open Data Commons licenses. For most datasets it is easier to use a standard license rat" +"her than to devise a custom-made one. Even if you choose to make your data par" +"t of the public domain, it is preferable to make this explicit by using a lice" +"nse such as Creative Commons' CC0. More about data licensing: UK DCC." msgstr "" -"

                                                                                   

                                                                                  -\n" -"

                                                                                  Les données peuvent être stock" -"ées sur des supports optiques ou magnétiques ; ceux-ci pe" -"uvent être amovibles (par exemple, des lecteurs DVD et USB), fixes (par " -"exemple, des disques durs de bureau ou d’ordinateur portable) ou en r&ea" -"cute;seau (par exemple, des lecteurs en réseau ou des serveurs en nuage" -"). Chaque méthode de stockage présente des avantages et des inco" -"nvénients qui doivent être pris en compte pour déterminer " -"la solution la plus appropriée. 

                                                                                  -\n" -"


                                                                                  Le risque de perdre des donnée" -"s en raison d’une erreur humaine, d’une catastrophe naturelle ou d" -"’un autre incident peut être atténué en suivant la <" -"a href=\"http://dataabinitio.com/?p=501\">règle de sauvegarde 3-2-1<" -"/a> (lien en anglais):

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Ayez au moins trois copies de vos donn&eac" -"ute;es.
                                                                                  • -\n" -"
                                                                                  • Conserver les copies sur deux supports dif" -"férents.
                                                                                  • -\n" -"
                                                                                  • Gardez une copie de sauvegarde hors site.<" -"/span>
                                                                                  • -\n" -"
                                                                                  " +"Les licences dictent la manière dont vo" +"s données peuvent être utilisées. Les organismes de financ" +"ement et les dépôts de données peuvent avoir des exigences" +" en matière de licences d’utilisation finale ; sinon, ils " +"peuvent toujours vous guider dans le choix ou l’élaboration d&rsq" +"uo;une licence appropriée. Une fois que vous aurez détermin&eacu" +"te; ces exigences, pensez à inclure une copie de votre licence d’" +"utilisateur final dans votre plan de gestion des données. Notez que les" +" détenteurs de droits de propriété intellectuelle sont le" +"s seuls à pouvoir délivrer une licence ; vous devez donc " +"absolument préciser qui détient ces droits.

                                                                                  <" +"span style=\"font-weight: 400;\">Il y a plusieurs types de licences standard &ag" +"rave; la disposition des chercheurs telles que les licences
                                                                                  Cre" +"ative Commons et les licences Open Data Commons (lien en anglais). Pour la plupart des ensembles de données, il est plus fa" +"cile d’utiliser une licence standard plutôt que de concevoir une l" +"icence sur mesure. Même si vous choisissez de faire entrer vos donn&eacu" +"te;es dans le domaine public, il est préférable de le faire de m" +"anière explicite en utilisant une licence telle que la CCO de Creative " +"Commons. Pour en savoir plus sur les licences, consultez : UK DCC (lien en anglais)." msgid "" -"

                                                                                  Consider which data need to be shared to me" -"et institutional, funding, or industry requirements. Consider which data will " -"need to be restricted because of data-sharing arrangements with third parties," -" or other intellectual property considerations. 

                                                                                  -\n" -"

                                                                                  In this context, data might include researc" -"h and computational findings, software, code, algorithms, or any other outputs" -" (research or computational) that may be generated during the project. Researc" -"h outputs might be in the form of:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • raw data are the data dir" -"ectly obtained from the simulation or modeling;
                                                                                  • -\n" -"
                                                                                  • processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, or to derive new variables; or
                                                                                  • -" -"\n" -"
                                                                                  • analyzed data are the res" -"ults of quantitative, statistical, or mathematical analysis of the processed d" -"ata.
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Possibilities include: data registries, rep" +"ositories, indexes, word-of-mouth, publications. How will the data be accessed" +" (Web service, ftp, etc.)? One of the best ways to refer other researchers to " +"your deposited datasets is to cite them the same way you cite other types of p" +"ublications. The Digital Curation Centre provides a detailed guide on data citation. S" +"ome repositories also create links from datasets to their associated papers, i" +"ncreasing the visibility of the publications. Read more at the National Instit" +"utes of Health’s Key Element" +"s to Consider in Preparing a Data Sharing Plan Under NIH Extramural Support.

                                                                                  \n" +"Contact librarians at your institution for ass" +"istance in making your dataset visible and easily accessible, or reach out to " +"the Portage DMP Coordinator at support@portagenetwork.ca" msgstr "" -"

                                                                                  Examinez quelles données doivent &ec" -"irc;tre partagées pour répondre aux exigences des institutions, " -"des bailleurs de fonds ou de l’industrie. Déterminez quelles donn" -"ées devront être limitées en raison d’entente de par" -"tage de données avec des tiers ou pour des raisons de propriét&e" -"acute; intellectuelle. 

                                                                                  -\n" -"

                                                                                  Dans ce contexte, les données peuven" -"t inclure des résultats de recherche et de calcul, des logiciels, des c" -"odes, des algorithmes, ou tout autre résultat (de recherche ou de calcu" -"l) qui pourrait être généré au cours du projet. Les" -" résultats de la recherche peuvent se présenter sous la forme&nb" -"sp;:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • de données brutes qui sont les données obtenues di" -"rectement à partir de la simulation ou de la modélisation&thinsp" -";;
                                                                                  • -\n" -"
                                                                                  • de données trait&eac" -"ute;es qui résultent d’u" -"ne certaine manipulation des données brutes afin d’élimine" -"r les erreurs ou les valeurs aberrantes, de préparer les données" -" pour l’analyse ou de dériver de nouvelles variables ; ou " -"
                                                                                  • -\n" -"
                                                                                  • de données analys&ea" -"cute;es qui résultent d’" -"une analyse quantitative, statistique ou mathématique des donnée" -"s traitées.
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Il existe plusieurs possibilités, no" +"tamment, les registres de données, les dépôts, les in" +"dex, le bouche-à-oreille et les publications. Comment les donnée" +"s seront-elles accessibles (service web, ftp, etc.) ? L’un des me" +"illeurs moyens de diriger d’autres chercheurs à vos ensembles de " +"données déposés est de les citer de la même mani&eg" +"rave;re que vous citez d’autres types de publications. Le Centre de cons" +"ervation numérique fournit un guide dé" +";taillé sur la citation de données (lien en angla" +"is). Certains dépôts cr&eacu" +"te;ent également des liens entre les ensembles de données et les" +" documents qui leur sont associés, ce qui augmente la visibilité" +" des publications. Pour en savoir plus, consultez le site des Instituts nation" +"aux de santé suivant : Éléments clés à prendre en compte dans l’&e" +"acute;laboration d’un plan de partage des données avec le soutien" +" en dehors des INS (lien en anglais).

                                                                                  \n" +"Communiquez avec les bibliothécaires de" +" votre établissement pour obtenir de l’aide afin de rendre votre " +"ensemble de données visible et facilement accessible ou communiquez ave" +"c le coordinateur de la PGD de Portage à l’adresse suivante :&nbs" +"p;support@portagenetwork.ca.&nb" +"sp; " msgid "" -"

                                                                                  Possibilities include: data registries, dat" -"a repositories, indexes, word-of-mouth, and publications. If possible, choose " -"to archive your data in a repository that will assign a persistent identifier " -"(such as a DOI) to your dataset. This will ensure stable access to the dataset" -" and make it retrievable by various discovery tools. 

                                                                                  -\n" -"One of the best ways to refer other researcher" -"s to your deposited datasets is to cite them the same way you cite other types" -" of publications (articles, books, proceedings). The Digital Curation Centre p" -"rovides a detailed guide on data citation. Note that some data repositories also creat" -"e links from datasets to their associated papers, thus increasing the visibili" -"ty of the publications.  " +"

                                                                                  The types of data you collect may include: " +"literature database records; PDFs of articles; quantitative and qualitative da" +"ta extracted from individual studies; a document describing your study protoco" +"l or other methods.

                                                                                  " msgstr "" -"

                                                                                  Parmi les mesures, il y a notamment : " -"les registres de données, les dépôts de données, le" -"s index, le bouche-à-oreille et les publications. Si possible, choisiss" -"ez d’archiver vos données dans un dépôt qui attribue" -"ra un identifiant permanent (tel qu’un identifiant d’objet num&eac" -"ute;rique) à votre ensemble de données. Cela garantira un acc&eg" -"rave;s stable à l’ensemble de données et permettra de les " -"récupérer à l’aide de divers outils de décou" -"verte.

                                                                                  L’un des meille" -"urs moyens de renvoyer d’autres chercheurs à vos ensembles de don" -"nées déposés est de les citer de la même mani&egrav" -"e;re que vous citez d’autres types de publications (articles, livres, ac" -"tes). Le Centre de curation numérique fournit un guide détaillé s" -"ur la citation des données (lien en anglais). Notez q" -"ue certains dépôts de données créent égaleme" -"nt des liens entre les ensembles de données et les articles qui leur so" -"nt associés, augmentant ainsi la visibilité des publications.  

                                                                                  " msgid "" -"

                                                                                  Some strategies for sharing include:
                                                                                  <" -"/span>

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  1. Research collaboration platforms such as <" -"a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" -"sh computational code and data;
                                                                                  2. -\n" -"
                                                                                  3. GitHub, " -"GitLab or Bitbucket will be utiliz" -"ed to allow for version control;
                                                                                  4. -\n" -"
                                                                                  5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" -"tudy, share, and modify the code or software. For further information about li" -"censes see, for example, the Open So" -"urce Initiative;
                                                                                  6. -\n" -"
                                                                                  7. The code or software will be archived in a" -" repository, and a DOI will be assigned to track use through citations. Provid" -"e the name of the repository;
                                                                                  8. -\n" -"
                                                                                  9. A software patent will be submitted.
                                                                                  10. -\n" -"
                                                                                  " -msgstr "" -"

                                                                                  Voici quelques stratégies de partage" -" :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  1. Les plateformes de collaboration en mati&e" -"grave;re de recherche, telles que Code Ocean, W" -"hole Tale (liens en an" -"glais) ou autres, serviront à créer, exécuter, parta" -"ger et publier des codes et des données informatiques ; <" -"/li> -\n" -"
                                                                                  2. GitHub, " -"GitLab ou Bitbucket serviront &agr" -"ave; la gestion des versions (liens en anglais) ;
                                                                                  3. -\n" -"
                                                                                  4. Une licence publique général" -"e (par exemple, " -"GNU/GPL ou MIT; lien en anglais) sera appliquée pour permettre à d’autres d&rsqu" -"o;exécuter, d’étudier, de partager et de modifier le code " -"ou le logiciel. Pour plus d’informations sur les licences, consultez l&r" -"squo;initiative Open Source&thin" -"sp;(lien en anglais) ; " -"
                                                                                  5. -\n" -"
                                                                                  6. Le code ou le logiciel sera archivé" -" dans un dépôt, et un identifiant d’objet numérique " -"sera attribué pour suivre l’utilisation au moyen de citations. In" -"diquez le nom du dépôt ;
                                                                                  7. -\n" -"
                                                                                  8. Un brevet de logiciel sera dépos&ea" -"cute;.
                                                                                  9. -\n" -"
                                                                                  " +"

                                                                                  For a systematic review (or other knowledge" +" synthesis types of studies), data includes the literature you find, the data " +"that you extract from it, and the detailed methods and information that would " +"allow someone else to reproduce your results. To identify the data that will b" +"e collected or generated by your research project, start by thinking of the different stages of a systematic review a" +"nd how you are going to approach each: planning/protocol, data collection (lit" +"erature searching), study selection (screening), data extraction, risk of bias" +" assessment, synthesis, manuscript preparation.

                                                                                  " +msgstr "" +"

                                                                                  Pour une revue systématique (ou d’autres ty" +"pes d’études de synthèse des connaissances), les données comprennent la littér" +"ature que vous trouvez, les données que vous en extrayez, et les méthodes et i" +"nformations détaillées qui permettraient à quelqu’un d’autre de reproduire vos" +" résultats. Pour identifier les données qui seront collectées ou générées par " +"votre projet de recherche, commencez p" +"ar réfléchir aux différentes étapes d’une revue systématique et à la manière d" +"ont vous allez les aborder : planification/protocole, collecte de données (rec" +"herche documentaire), sélection des études, extraction des données, évaluation" +" du risque de biais, synthèse, préparation du manuscrit.

                                                                                  " msgid "" -"

                                                                                  In cases where only selected data will be r" -"etained, indicate the reason(s) for this decision. These might include legal, " -"physical preservation issues or other requirements to keep or destroy data.&nb" -"sp;

                                                                                  -\n" -"

                                                                                  There are general-purpose data repositories" -" available in Canada, such as Scholars Portal Dataverse, and the Federated Research Data Repository (" -"FRDR), which have preservation poli" -"cies in place. Many research disciplines also have dedicated repositories. Scientific Data, for example, provides a list of repositories for scientific research " -"outputs.  Some of these repositories may request or require data to be su" -"bmitted in a specific file format. You may wish to consult with a repository e" -"arly in your project, to ensure your data are generated in, or can be transfor" -"med into, an appropriate standard format for your field. Re3data.org is an international registry of research data re" -"positories that may help you identify a suitable repository for your data. The" -" Repository Finder tool h" -"osted by DataCite can help you find a repo" -"sitory listed in re3data.org. For assistance in making your dataset visible an" -"d easily accessible, contact your institution’s library or reach out to " -"the Portage DMP Coordinator at support@portagenetwork.ca

                                                                                  " +"

                                                                                  Word, RTF, PDF, etc.: proj" +"ect documents, notes, drafts, review protocol, line-by-line search strategies," +" PRISMA or other reporting checklists; included studies

                                                                                  \n" +"

                                                                                  RIS, BibTex, XML, txt: fil" +"es exported from literature databases or tools like Covidence

                                                                                  \n" +"

                                                                                  Excel (xlsx, csv): search " +"tracking spreadsheets, screening/study selection/appraisal worksheets, data ex" +"traction worksheets; meta-analysis data

                                                                                  \n" +"

                                                                                  NVivo: qualitative synthes" +"is data

                                                                                  \n" +"

                                                                                  TIF, PNG, etc.: images and" +" figures

                                                                                  \n" +"

                                                                                  For more in-depth guidance, see “Data" +" Collection” in the University of Calgary Library Guide" +".

                                                                                  " msgstr "" +"

                                                                                  Word, RTF, PDF, etc.: docu" +"ments de projet, notes, ébauches, protocole de révision, stratégies de recherc" +"he ligne par ligne, PRISMA ou autres listes de contrôle de rapport; études inc" +"luses

                                                                                  RIS, BibTex, XML, txt: fichiers exportés à partir de bases de données bibliographiques " +"ou d'outils comme Covidence

                                                                                  Excel (xlsx, csv): " +"feuilles de calcul de suivi de recherche, feui" +"lles de travail de dépistage / sélection d'étude / évaluation, feuilles de tra" +"vail d'extraction de données; données de méta-analyse

                                                                                  NV" +"ivo: données de synthèse qualitative<" +"/span>

                                                                                  \n" +"

                                                                                  TIF, PNG, etc.: images et " +"figures

                                                                                  \n" +"

                                                                                  Pour obtenir des conseils plus détaillés, " +"reportez-vous à la section «Collecte de données» dans le &nbs" +"p; Guide de la bibliothèque de l'Univer" +"sité de Calgary (lien en anglais).

                                                                                  " msgid "" -"Consider the end-user license, and ownership o" -"r intellectual property rights of any secondary data or code you will use. Con" -"sider any data-sharing agreements you have signed, and repository ‘terms" -" of use’ you have agreed to. These may determine what end-user license y" -"ou can apply to your own research outputs, and may limit if and how you can re" -"distribute your research outputs. If you are working with an industry partner," -" will you have a process in place to manage that partnership, and an understan" -"ding of how the research outputs may be shared? Describe any foreseeable conce" -"rns or constraints here, if applicable." +"

                                                                                  If you plan to use systematic review softwa" +"re or reference management software for screening and data management, indicat" +"e which program you will use, and what format files will be saved/exported in." +"

                                                                                  \n" +"

                                                                                  Keep in mind that proprietary file formats " +"will require team members and potential future users of the data to have the r" +"elevant software to open or edit the data. While you may prefer to work with d" +"ata in a proprietary format, files should be converted to non-proprietary form" +"ats wherever possible at the end of the project. Read more about file formats:" +" <" +"span style=\"font-weight: 400;\">UBC Library or UK Data Service.

                                                                                  " msgstr "" -"Tenez compte de la licence d’utilisateur" -" final, de la propriété ou de la propriété intelle" -"ctuelle des données ou des codes secondaires que vous utiliserez. Tenez" -" compte des ententes de partage de données que vous avez signées" -" et des conditions d’utilisation du dépôt que vous avez acc" -"eptées. Celles-ci peuvent déterminer la licence d’utilisat" -"eur final que vous pouvez appliquer à vos propres résultats de r" -"echerche et peuvent limiter la redistribution de vos résultats de reche" -"rche et la manière de les redistribuer. Si vous travaillez avec un part" -"enaire industriel, aurez-vous mis en place un processus pour gérer ce p" -"artenariat et comprendre la manière dont les résultats de la rec" -"herche peuvent être partagés ? Indiquez ici toutes les pr&" -"eacute;occupations ou les contraintes que vous anticipez, le cas éch&ea" -"cute;ant." +"

                                                                                  Si vous prévoyez utiliser un logiciel de re" +"vue systématique ou un logiciel de gestion des références pour la sélection et" +" la gestion des données, indiquez quel programme vous utiliserez et dans quel " +"format les fichiers seront sauvegardés ou exportés.

                                                                                  \n" +"

                                                                                  Notez que les formats de fichiers propriéta" +"ires nécessitent des logiciels appropriés pour que les membres de l’équipe et " +"les futurs utilisateurs potentiels des données puissent les ouvrir ou les modi" +"fier. Bien que vous puissiez préférer travailler avec des données dans un form" +"at propriétaire, les fichiers doivent être convertis en formats en libre accès" +" dans la mesure du possible à la fin du projet. Pour en savoir plus sur les fo" +"rmats de fichiers, consultez la Bibliothè" +"que de l’Université de la C.-B. ou le UK Data Service (lie" +"ns en anglais).

                                                                                  " msgid "" -"Identify who will be responsible -- individual" -"s or organizations -- for carrying out these parts of your project. Consider i" -"ncluding the time frame associated with these staff responsibilities, and docu" -"ment any training needed to prepare staff for data management duties." +"

                                                                                  Suggested format - PDF full-texts of included studies: AuthorLastName_Year_FirstThreeWordsofTit" +"le

                                                                                  \n" +"

                                                                                  Example: Sutton_2019_MeetingTheReview

                                                                                  \n" +"

                                                                                  Suggested format - screening file for reviewers:<" +"span style=\"font-weight: 400;\"> ProjectName_TaskName_ReviewerInitials \n" +"

                                                                                  Example: PetTherapy_ScreeningSet1_ZP" +"

                                                                                  \n" +"For more examples, see “Data Collection&" +"rdquo; in the <" +"span style=\"font-weight: 400;\">University of Calgary Library Guide
                                                                                  <" +"span style=\"font-weight: 400;\">.
                                                                                  " msgstr "" -"Déterminez la personne ou l’organ" -"isation qui sera responsable de ces parties du projet. Précisez le cale" -"ndrier associé à ces responsabilités du personnel, et doc" -"umentez toute formation nécessaire pour préparer le personnel au" -"x tâches de gestion des données." +"

                                                                                  Format suggéré — Textes complets des &eacut" +"e;tudes incluses en PDF : N" +"omdeFamilledel’Auteur_Année_TroisPremiersMotsduFichier

                                                                                  " +" \n" +"

                                                                                  Exemple : Sutton_2019_SommairedelaRevu" +"e

                                                                                  \n" +"

                                                                                  Format suggéré — fichier de sélectio" +"n pour les réviseurs : NomduProjet_NomdelaTâche_InitialesduRéviseur

                                                                                  \n" +"

                                                                                  Exemple : Zoothérapie_Ensembled" +"eSélection1_ZP

                                                                                  \n" +"

                                                                                  Pour d’autres exemples, consultez la " +"rubrique « Collecte de données » du Guide de la bibliothèque de l’Université de Calgar" +"y (lien en anglais).

                                                                                  " msgid "" -"Indicate a succession strategy for management " -"of these data if one or more people responsible for the data leaves (e.g. a gr" -"aduate student leaving after graduation). Describe the process to follow if th" -"e Principal Investigator leaves the project. In some instances, a co-investiga" -"tor or the department or division overseeing this research will assume respons" -"ibility." +"

                                                                                  It is important to keep track of different " +"copies or versions of files, files held in different formats or locations, and" +" information cross-referenced between files. Logical file structures, informat" +"ive naming conventions, and clear indications of file versions, all help ensur" +"e that you and your research team are using the appropriate version of your da" +"ta, and will minimize confusion regarding copies on different computers and/or" +" on different media.

                                                                                  \n" +"

                                                                                  Read more about file naming and version con" +"trol: UBC Library or UK Data Archive" +".

                                                                                  \n" +"Consider a naming convention that includes: th" +"e project name and date using the ISO standard for d" +"ates as required elements and stage" +" of review/task, version number, creator’s initials, etc. as optional el" +"ements as necessary." msgstr "" -"Présentez votre stratégie de rel" -"ève pour la gestion de ces données si une ou plusieurs personnes" -" responsables des données quittent le projet (par exemple, un ét" -"udiant de cycle supérieur qui quitte le projet après avoir obten" -"u son diplôme). Décrivez le processus à suivre si le cherc" -"heur principal quitte le projet. Dans certains cas, un co-chercheur ou le d&ea" -"cute;partement ou la division qui supervise cette recherche pourra assumer cet" -"te responsabilité." +"

                                                                                  Conservez une trace des différentes " +"copies ou versions de fichiers, des fichiers détenus dans différ" +"ents formats ou emplacements, et des informations croisées entre les fi" +"chiers. Des structures de fichiers logiques, des conventions de nomenclature i" +"nformatives et des indications claires sur les versions de fichiers aident &ag" +"rave; garantir que vous et votre équipe de recherche utilisez la versio" +"n appropriée de vos données et à minimiser la confusion p" +"ar rapport aux diverses copies sur différents ordinateurs ou supports.&" +"nbsp;

                                                                                  \n" +"

                                                                                  Pour en savoir plus sur la nomenclature et " +"la gestion des versions de fichiers, consultez le site de la Bibliot" +"hèque de l’Université d'Ottawa ou de l’Archive de" +" données du Royaume-Uni (lien en anglais).

                                                                                  \n" +"

                                                                                  Envisagez une convention de nomenclature qu" +"i comprend le nom du projet et la date en utilisant la norme ISO pour les dates comm" +"e éléments obligatoires et le stade de la révision ou de " +"la tâche, le numéro de version, les initiales du créateur," +" etc. comme éléments facultatifs si nécessaire." + +msgid "" +"Good documentation includes information about " +"the study, data-level descriptions, and any other contextual information requi" +"red to make the data usable by other researchers. Other elements you should do" +"cument, as applicable, include: research methodology used, variable definition" +"s, units of measurement, assumptions made, format and file type of the data, a" +" description of the data capture and collection methods, explanation of data c" +"oding and analysis performed (including syntax files), and details of who has " +"worked on the project and performed each task, etc. Some of this should alread" +"y be in your protocol. For specific examples for each stage of the review, see" +" “Documentation and Metadata” in the University o" +"f Calgary Library Guide." +msgstr "" +"Une bonne documentation comprend des informati" +"ons sur l’étude, des descriptions au niveau des données et" +" toute autre information contextuelle nécessaire pour rendre les donn&e" +"acute;es utilisables par d’autres chercheurs. Les autres él&eacut" +"e;ments que vous devez documenter, le cas échéant, sont : la m&e" +"acute;thodologie de recherche utilisée, les définitions des vari" +"ables, les unités de mesure, les hypothèses formulées, le" +" format et le type de fichier des données, une description des mé" +";thodes de saisie et de collecte des données, une explication du codage" +" et de l’analyse des données effectuées (y compris les fic" +"hiers de syntaxe) et des détails sur les personnes qui ont travaill&eac" +"ute; sur le projet et effectué chaque tâche, etc. Une partie de c" +"es éléments devrait déjà figurer dans votre protoc" +"ole. Pour des exemples spécifiques à chaque étape de la r" +"evue, consultez la rubrique « Documentation et métadonn&ea" +"cute;es » du Guide de la bibliothèque de l’Université de Calgary (lien en anglais)." + +msgid "" +"

                                                                                  Where will the process and procedures for e" +"ach stage of your review be kept and shared? Will the team have a shared works" +"pace? 

                                                                                  \n" +"

                                                                                  Who will be responsible for documenting eac" +"h stage of the review? Team members responsible for each stage of the review s" +"hould add the documentation at the conclusion of their work on a particular st" +"age, or as needed. Refer back to the data collection guidance for examples of " +"the types of documentation that need to be created.

                                                                                  \n" +"

                                                                                  Often, resources you've already created can" +" contribute to this (e.g. your protocol). Consult regularly with members of th" +"e research team to capture potential changes in data collection/processing tha" +"t need to be reflected in the documentation. Individual roles and workflows sh" +"ould include gathering data documentation.

                                                                                  " +msgstr "" +"

                                                                                  À quel endroit le processus et les p" +"rocédures de chaque étape de votre revue seront-ils conserv&eacu" +"te;s et partagés ? L’équipe disposera-t-elle d&rsqu" +"o;un espace de travail partagé ? 

                                                                                  \n" +"

                                                                                  Qui sera chargé de documenter chaque" +" étape de la revue ? Les membres de l’équipe charg&" +"eacute;s des étapes diverses de la revue doivent ajouter la documentati" +"on à la fin de leur travail sur une étape ou selon les besoins. " +"Consultez les directives sur la collecte de données pour des exemples d" +"e types de documents à créer.

                                                                                  \n" +"

                                                                                  Dans bien des cas, les ressources que vous " +"avez déjà créées peuvent y contribuer (par exemple" +" votre protocole). Consultez régulièrement les membres de l&rsqu" +"o;équipe de recherche afin de saisir les changements potentiels dans la" +" collecte/le traitement des données qui doivent être reflé" +"tés dans la documentation. Les rôles individuels et les flux de t" +"ravail doivent inclure la collecte de la documentation sur les données." +"

                                                                                  " msgid "" -"This estimate should incorporate data manageme" -"nt costs incurred during the project as well as those required for the longer-" -"term support for the data after the project has completed. Items to consider i" -"n the latter category of expenses include the costs of curating and providing " -"long-term access to the data. It might include technical aspects of data manag" -"ement, training requirements, file storage & backup, the computational env" -"ironment or software needed to manage, analyze or visualize research data, and" -" contributions of non-project staff. Read more about the costs of RDM and how " -"these can be addressed in advance: “
                                                                                  What will it cost " -"to manage and share my data?”" -" by OpenAIRE. There is also an online data management costing" -" tool available to help determine the costs and staffing requirements in your " -"project proposal. " +"Most systematic reviews will likely not use a " +"metadata standard, but if you are looking for a standard to help you code your" +" data, see the Digital Curation Centre’s list of di" +"sciplinary metadata standards." msgstr "" -"Cette estimation doit comprendre les coû" -"ts de gestion des données encourus pendant le projet ainsi que ceux n&e" -"acute;cessaires pour le soutien à plus long terme des données ap" -"rès le projet. Dans cette dernière catégorie de dé" -"penses, tenez compte, notamment des coûts de conservation et d’acc" -"ès à long terme aux données. Il peut s’agir des asp" -"ects techniques de la gestion des données, des besoins de formation, du" -" stockage et de la sauvegarde des fichiers, de l’environnement informati" -"que ou des logiciels nécessaires pour gérer, analyser ou visuali" -"ser les données de recherche, et des contributions du personnel en deho" -"rs du projet. Pour en savoir plus sur les coûts de la GDR et sur la mani" -"ère de les prendre en charge à l’avance, consultez le site" -" Combien la gestion et le partage de mes données co&u" -"circ;teront-ils ? d’Op" -"enAIRE (lien en anglais). Il existe également un outil de calcul du coût de la gestion de données<" -"/a> (lien en anglais) en lig" -"ne pour vous aider à déterminer les coûts et les besoins e" -"n personnel liés à votre proposition de projet. " +"La plupart des revues systématiques n&r" +"squo;utiliseront probablement pas de norme de métadonnées, mais " +"si vous cherchez une norme pour vous aider à coder vos données, " +"consultez la liste des normes de métadonnée" +"s disciplinaires du Centre de curation numérique." msgid "" -"

                                                                                  Assign responsibilities: O" -"nce completed, your data management plan will outline important data activitie" -"s in your project. Identify who will be responsible -- individuals or organiza" -"tions -- for carrying out these parts of your data management plan. This could" -" also include the time frame associated with these staff responsibilities and " -"any training needed to prepare staff for these duties.

                                                                                  " +"

                                                                                  Storage-space estimates should take into ac" +"count requirements for file versioning, backups, and growth over time. A long-" +"term storage plan is necessary if you intend to retain your data after the res" +"earch project or update your review at a later date.

                                                                                  \n" +"

                                                                                  A systematic review project will not typica" +"lly require more than a few GB of storage space; these needs can be met by mos" +"t common storage solutions, including shared servers.

                                                                                  " msgstr "" -"

                                                                                  Attribution des responsabilités : Une fois terminé, votre plan de gestion des donn&ea" -"cute;es décrira les activités importantes de votre projet. D&eac" -"ute;signez les personnes ou les organisations qui seront responsables de la r&" -"eacute;alisation de ces parties de votre plan de gestion des données. C" -"ette étape peut également inclure le calendrier associé &" -"agrave; ces responsabilités du personnel et toute formation néce" -"ssaire pour préparer le personnel à ces tâches.

                                                                                  " +"

                                                                                  Les estimations de l’espace de stocka" +"ge doivent tenir compte des besoins en matière de version des fichiers," +" de sauvegardes et de croissance dans le temps. Un plan de stockage à l" +"ong terme est nécessaire si vous avez l’intention de conserver vo" +"s données après le projet de recherche ou de mettre à jou" +"r votre revue à une date ultérieure.

                                                                                  \n" +"

                                                                                  Un projet de revue systématique ne n" +"écessitera généralement pas plus de quelques Go d’e" +"space de stockage ; ces besoins peuvent être satisfaits par la pl" +"upart des solutions de stockage courantes, y compris les serveurs partag&eacut" +"e;s.

                                                                                  " msgid "" -"

                                                                                  Succession planning: The P" -"I is usually in charge of maintaining data accessibility standards for the tea" -"m. Consider who will field questions about accessing information or granting a" -"ccess to the data in  the event the PI leaves the project. Usually the Co" -"-PI takes over the responsibilities.

                                                                                  -\n" -"

                                                                                  Indicate a succession strategy for these da" -"ta in the event that one or more people responsible for the data leaves (e.g. " -"a graduate student leaving after graduation). Describe the process to be follo" -"wed in the event that the Principal Investigator leaves the project. In some i" -"nstances, a co-investigator or the department or division overseeing this rese" -"arch will assume responsibility.

                                                                                  " +"

                                                                                  Will you want to update and republish your " +"review? If so, a permanent storage space is necessary. If your meta-analysis i" +"ncludes individual patient-level data, you will require secure storage for tha" +"t data. If you are not working with sensitive data, a solution like Dropbox or" +" Google Drive may be acceptable. Consider who should have control over the sha" +"red account. Software to facilitate the systematic review process or for citat" +"ion management such as Covidence or Endnote may be used for active data storag" +"e of records and PDFs.

                                                                                  \n" +"

                                                                                  The risk of losing data due to human error," +" natural disasters, or other mishaps can be mitigated by following the 3-2-1 b" +"ackup rule: Have at least three copies of your data; store the copies on two d" +"ifferent media; keep one backup copy offsite.

                                                                                  \n" +"Further information on storage and backup prac" +"tices is available from the University of Sheffield Library" +" and the " +"UK Data Archive." msgstr "" -"

                                                                                  Planification de la relève : Le chercheur principal est généralement chargé " -"de maintenir les normes d’accessibilité des données pour l" -"’équipe. Réfléchissez à la personne qui r&ea" -"cute;pondra aux questions concernant l’accès à l’inf" -"ormation ou l’autorisation d’accès aux données dans " -"le cas où le chercheur principal quitterait le projet. Habituellement, " -"le co-chercheur principal prend en charge ces responsabilités. -\n" -"

                                                                                  Précisez une stratégie de rel" -"ève pour ces données si des personnes responsables des donn&eacu" -"te;es quittent le projet (par exemple, un étudiant de cycle supé" -"rieur qui quitte le projet après avoir obtenu son diplôme). D&eac" -"ute;crivez le processus à suivre dans le cas où le chercheur pri" -"ncipal quitte le projet. Dans certains cas, un co-chercheur ou le dépar" -"tement ou la division qui supervise cette recherche en assumera la responsabil" -"ité.

                                                                                  " +"

                                                                                  Souhaitez-vous mettre à jour et repu" +"blier votre revue ? Si c’est le cas, un espace de stockage perman" +"ent est nécessaire. Si votre méta-analyse comprend des donn&eacu" +"te;es individuelles sur les patients, vous aurez besoin d’un stockage s&" +"eacute;curisé pour ces données. Si vous ne travaillez pas avec d" +"es données sensibles, une solution comme Dropbox ou Google Drive peut &" +"ecirc;tre acceptable. Réfléchissez à qui devrait avoir le" +" contrôle du compte partagé. Des logiciels destinés &agrav" +"e; faciliter le processus de revue systématique ou à gére" +"r les citations, tels que Covidence ou Endnote, peuvent être utilis&eacu" +"te;s pour le stockage actif des données des dossiers et des PDF." +"

                                                                                  \n" +"

                                                                                  Le risque de perdre des données en r" +"aison d’une erreur humaine, d’une catastrophe naturelle ou d&rsquo" +";un autre incident peut être atténué en suivant la r&egrav" +"e;gle de sauvegarde 3-2-1 : ayez au moins trois copies de vos donn&e" +"acute;es ; conservez les copies sur deux supports différents&thi" +"nsp;; gardez une copie de sauvegarde hors site.

                                                                                  \n" +"

                                                                                  Vous pouvez obtenir plus d’informatio" +"ns sur les pratiques de stockage et de sauvegarde sur le site de la Bibliothèque de l’Université de Sheffield<" +"/a> et de l’Ar" +"chive de données du Royaume-Uni (liens en anglais)<" +"span style=\"font-weight: 400;\">.

                                                                                  " msgid "" -"Budgeting: Common purchases a" -"re hard drives, cloud storage or software access. TU Delft&" -"rsquo;s Data Management Costing Tool is helpful to determine the share of human labor (FTE) that should be alloca" -"ted for research data management." +"

                                                                                  If your meta-analysis includes individual p" +"atient-level data, you will require secure storage for that data. As most syst" +"ematic reviews typically do not involve sensitive data, you likely don’t" +" need secure storage. A storage space such as Dropbox or Google Drive should b" +"e acceptable, as long as it is only shared among team members. Consider who wi" +"ll retain access to the shared storage space and for how long. Consider who sh" +"ould be the owner of the account. If necessary, have a process for transferrin" +"g ownership of files in the event of personnel changes.

                                                                                  \n" +"

                                                                                  An ideal solution is one that facilitates c" +"ooperation and ensures data security, yet is able to be adopted by users with " +"minimal training. Relying on email for data transfer is not a robust or secure" +" solution.

                                                                                  " msgstr "" -"Budgétisation : Les achats les plus courants sont les " -"disques durs, le stockage infonuagique ou l’accès aux logiciels. " -"L’outil de cal" -"cul des coûts de gestion des données de l’Université" -" de technologie de Delft est utile pour déterminer la part de trava" -"il humain (ÉTP) qui doit être allouée à la gestion " -"des données de recherche (lien en anglais)." +"

                                                                                  Si votre méta-analyse comprend des d" +"onnées individuelles sur les patients, vous aurez besoin d’un sto" +"ckage sécurisé pour ces données. Comme la plupart des rev" +"ues systématiques ne comportent généralement pas de donn&" +"eacute;es sensibles, vous n’aurez probablement pas besoin d’un sto" +"ckage sécurisé. Un espace de stockage tel que Dropbox ou Google " +"Drive devrait être acceptable, à condition qu’il ne soit pa" +"rtagé qu’entre les membres de l’équipe. Déter" +"minez qui conservera l’accès à l’espace de stockage " +"partagé et pendant combien de temps. Désigné un propri&ea" +"cute;taire du compte. Si nécessaire, prévoyez un processus de tr" +"ansfert de propriété des fichiers en cas de changement de person" +"nel.

                                                                                  \n" +"

                                                                                  Une solution idéale facilite la coop" +"ération et assure la sécurité des données, tout en" +" pouvant être adoptée par les utilisateurs avec un minimum de for" +"mation. L’utilisation du courrier électronique pour le transfert " +"de données n’est pas une solution robuste ou sûre." msgid "" -"

                                                                                  Data types: Your rese" -"arch data may include digital resources, software code, audio files, image fil" -"es, video, numeric, text, tabular data, modeling data, spatial data, instrumen" -"tation data.

                                                                                  " +"

                                                                                  The issue of data retention should be consi" +"dered early in the research lifecycle. Data-retention decisions can be driven " +"by external policies (e.g. funding agencies, journal publishers), or by an und" +"erstanding of the enduring value of a given set of data. Consider what you wan" +"t to share long-term vs. what you need to keep long-term; these might be two s" +"eparately stored data sets. 

                                                                                  \n" +"

                                                                                  Long-term preservation is an important aspe" +"ct to consider for systematic reviews as they may be rejected and need to be r" +"eworked/resubmitted, or the authors may wish to publish an updated review in a" +" few years’ time (this is particularly important given the increased int" +"erest in the concept of a ‘living systematic review’). 

                                                                                  \n" +"For more detailed guidance, and some suggested" +" repositories, see “Long-Term Preservation” on the University of Calgary Library Guide." msgstr "" -"

                                                                                  Types de données : " -"Vos données de recherche peuvent comprendre des ressources numér" -"iques, des codes logiciels, des fichiers audio, des fichiers images, des donn&" -"eacute;es vidéo, numériques, textuelles, tabulaires, des donn&ea" -"cute;es de modélisation, des données spatiales et des donn&eacut" -"e;es d’instrumentation.

                                                                                  " +"

                                                                                  La question de la rétention des donn" +"ées doit être examinée dès le début du cycle" +" de vie de la recherche. Les décisions relatives à la rét" +"ention des données peuvent être dictées par des politiques" +" externes (par exemple, les organismes de financement, les éditeurs de " +"revues) ou par la compréhension de la valeur durable d’un ensembl" +"e de données en particulier. Considérez ce que vous voulez parta" +"ger à long terme par rapport à ce que vous devez conserver &agra" +"ve; long terme ; vous pouvez avoir deux ensembles de données sto" +"ckées séparément. 

                                                                                  \n" +"

                                                                                  La conservation à long terme est un " +"aspect important à considérer pour les revues systématiqu" +"es, car elles peuvent être rejetées et devoir être retravai" +"llées ou soumises de nouveau ; les auteurs peuvent aussi souhait" +"er publier une revue actualisée dans quelques années (ce qui est" +" particulièrement important étant donné l’int&eacut" +"e;rêt accru pour le concept de « revue systématique vivante » [lien en anglais]). 

                                                                                  \n" +"

                                                                                  Pour des directives plus détaill&eac" +"ute;es et quelques suggestions de dépôts, consultez la section su" +"r la « Conservation à long terme » du " +"Guide de la bibliothèque de l’Université de " +"Calgary (lien en anglais)." +"

                                                                                  " msgid "" -"Proprietary file formats requiring specialized" -" software or hardware to use are not recommended, but may be necessary for cer" -"tain data collection or analysis methods. Using open file formats or industry-" -"standard formats (e.g. those widely used by a given community) is preferred wh" -"enever possible. Read more about file formats: Library and Archives Canada,
                                                                                    UBC Library" -" or UK Data Arc" -"hive. " +"

                                                                                  Some data formats are optimal for long-term" +" preservation of data. For example, non-proprietary file formats, such as text" +" ('.txt') and comma-separated ('.csv'), are considered preservation-friendly. " +"The UK Data Service<" +"span style=\"font-weight: 400;\"> provides a useful table of file formats for va" +"rious types of data. 

                                                                                  \n" +"

                                                                                  Keep in mind that converting files from pro" +"prietary to non-proprietary formats may lose information or affect functionali" +"ty. If this is a concern, you can archive both a proprietary and non-proprieta" +"ry version of the file. Always document any format changes between files when " +"sharing preservation copies.

                                                                                  " msgstr "" -"Les formats de fichiers propriétaires n" -"écessitant l’utilisation de logiciels ou de matériel sp&ea" -"cute;cialisés ne sont pas recommandés, mais peuvent être n" -"écessaires pour certaines méthodes de collecte ou d’analys" -"e des données. L’utilisation de formats de fichiers ouverts ou de" -" formats standard (par exemple, ceux largement utilisés par une communa" -"uté donnée) est préférable dans la mesure du possi" -"ble. Pour en savoir plus sur les formats de fichiers, consultez les sites suiv" -"ants : Bibliothèque et Archives Canada, Bibliothèque de l&rsqu" -"o;Université de la C.-B. (lien en
                                                                                  anglais) ou
                                                                                  Archive de donn" -"ées du Royaume-Uni (lien" -" en anglais). " +"

                                                                                  Certains formats de données sont opt" +"imaux pour préserver les données à long terme. Par exempl" +"e, les formats de fichiers non propriétaires, tels que le texte ('.txt'" +") et les fichiers séparés par des virgules ('.csv'), sont consid" +"érés comme favorables à la conservation. Le Service de données du Royaume-Uni (lien en anglais) fo" +"urnit un tableau utile des formats de fichiers pour différents types de" +" données. 

                                                                                  \n" +"

                                                                                  Notez que la conversion de fichiers de form" +"ats propriétaires à des formats ouverts peut faire perdre des in" +"formations ou affecter les fonctionnalités. Si cet enjeu vous pré" +";occupe, vous pouvez archiver une version du fichier en format propriét" +"aire et une version du fichier en format ouvert. Documentez toujours les chang" +"ements de format des fichiers lorsque vous partagez des copies pour la conserv" +"ation.

                                                                                  " msgid "" -"File naming and versioning: It is important to keep track of " -"different copies or versions of files, files held in different formats or loca" -"tions, and information cross-referenced between files. This process is called " -"'version control'. Logical file structures, informative naming conventions, an" -"d clear indications of file versions, all contribute to better use of your dat" -"a during and after your research project. These practices will help ensure tha" -"t you and your research team are using the appropriate version of your data, a" -"nd minimize confusion regarding copies on different computers and/or on differ" -"ent media. Read more about file naming and version control from UBC Library or th" -"e UK Data Service.

                                                                                  Remember that this workflow can be adapted, a" -"nd the DMP updated throughout the project.

                                                                                  Using a file naming convention worksheet can be very useful. Make sure the conv" -"ention only uses alphanumeric characters, dashes and underscores. In general, " -"file names should be 32 characters or less and contain the date and the versio" -"n number (e.g.: “P1-MUS023_2020-02-29_051_raw.tif” and “P1-M" -"US023_2020-02-29_051_clean_v1.tif”).

                                                                                  Document workfl" -"ows: Have you thought about how you will capture, save and share your" -" workflow and project milestones with your team? You can create an onboarding " -"document to ensure that all team members adopt the same workflows or use workf" -"low management tools like OSF or GitHub." +"

                                                                                  Examples of what should be shared: 

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • protocols <" +"/span>
                                                                                  • \n" +"
                                                                                  • complete search " +"strategies for all databases 
                                                                                  • \n" +"
                                                                                  • data extraction " +"forms 
                                                                                  • \n" +"
                                                                                  • statistical code" +" and data files (e.g. CSV or Excel files) that are exported into a statistical" +" program to recreate relevant meta-analyses
                                                                                  • \n" +"
                                                                                  \n" +"For more examples, consult “Sharing and " +"Reuse” on the University of Calgary Library Guide" +"." msgstr "" -"Nomenclature et version de fichier : Il est important de gard" -"er une trace des différentes copies ou versions de fichiers, des fichie" -"rs sauvegardés en différents formats ou à des endroits di" -"fférents, et des informations croisées entre les fichiers. Ce pr" -"ocessus s’appelle la « gestion de versions ». " -"Les structures de fichiers logiques, les conventions de nomenclature informati" -"ves et les indications claires sur les versions des fichiers contribuent &agra" -"ve; une meilleure utilisation de vos données pendant et après vo" -"tre projet de recherche. Ces pratiques permettront de s’assurer que vous" -" et votre équipe de recherche utilisez la version appropriée de " -"vos données, et de minimiser la confusion concernant les copies sur dif" -"férents ordinateurs ou sur différents supports. Pour en savoir p" -"lus sur la nomenclature et la gestion des versions de fichier, consultez le si" -"te de la " -"Bibliothèque de l’Université de la C.-B. ou celui de l" -"’Archi" -"ve de données du Royaume-Uni (liens en anglais).<" -"br />
                                                                                  N’oubliez pas que vous pouvez adapter ce flux de travail et m" -"ettre le PGD à jour tout au long du projet.

                                                                                  L’utilisat" -"ion d’une feuille de travail pour la convention de no" -"menclature peut être très utile (lien en anglais" -"). Assurez-vous que la convention n’utilise que des caractèr" -"es alphanumériques, des tirets et des traits de soulignement. En g&eacu" -"te;néral, les noms de fichiers doivent comporter 32 caractères o" -"u moins et contenir la date et le numéro de version (par exemple : &ldq" -"uo;P1-MUS023_2020-02-29_051_raw.tif” and “P1-MUS023_2020-02-29_051" -"_clean_v1.tif”)

                                                                                  Flux de travail pour les documents :" -" Avez-vous réfléchi à la manière dont vou" -"s allez saisir, sauvegarder et partager avec votre équipe les ét" -"apes de votre travail et de vos projets ? Vous pouvez créer un d" -"ocument d’intégration pour vous assurer que tous les membres de l" -"’équipe adoptent les mêmes flux de travail ou utiliser des " -"outils de gestion des flux de travail comme OSF " -"ou GitHub (liens en anglais)." +"

                                                                                  Voici quelques exemples de ce qui devrait &" +"ecirc;tre partagé : 

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Protocoles&thins" +"p;; 
                                                                                  • \n" +"
                                                                                  • Stratégie" +"s de recherche intégrales pour toutes les bases de données&thins" +"p;; 
                                                                                  • \n" +"
                                                                                  • Formulaires d&rs" +"quo;extraction de données ; 
                                                                                  • \n" +"
                                                                                  • Code statistique" +" et fichiers de données (par exemple, fichiers CSV ou Excel) qui sont e" +"xportés dans un programme statistique pour recréer des mé" +"ta-analyses pertinentes.
                                                                                  • \n" +"
                                                                                  \n" +"

                                                                                  Pour plus d’exemples, consultez la ru" +"brique sur le « Partage et réutilisation » du" +" Guide de la bibliothèque de l’Université " +"de Calgary (lien en anglais).

                                                                                  " msgid "" -"

                                                                                  Data documentation: I" -"t is strongly encouraged to include a ReadMe file with all datasets (or simila" -"r) to assist in understanding data collection and processing methods, naming c" -"onventions and file structure.

                                                                                  -\n" -"Typically, good data documentation includes in" -"formation about the study, data-level descriptions, and any other contextual i" -"nformation required to make the data usable by other researchers. Other elemen" -"ts you should document, as applicable, include: research methodology used, var" -"iable definitions, vocabularies, classification systems, units of measurement," -" assumptions made, format and file type of the data, a description of the data" -" capture and collection methods, explanation of data coding and analysis perfo" -"rmed (including syntax files). View a useful template from Cornell University&" -"rsquo;s “Guide to writing ‘ReadMe’ style" -" metadata”
                                                                                  ." +"

                                                                                  Raw data are directly obta" +"ined from the instrument, simulation or survey. 

                                                                                  \n" +"

                                                                                  Processed data result from" +" some manipulation of the raw data in order to eliminate errors or outliers, t" +"o prepare the data for analysis, to derive new variables. 

                                                                                  \n" +"

                                                                                  Analyzed data are the resu" +"lts of qualitative, statistical, or mathematical analysis of the processed dat" +"a. They can be presented as graphs, charts or statistical tables. " +"

                                                                                  \n" +"Final data are processed data" +" that have, if needed, been converted into a preservation-friendly format. " msgstr "" -"

                                                                                  Documentation des données : Il est fortement recommandé d’inclure un fichier RE" -"ADME avec tous les ensembles de données (ou élément sembl" -"able) pour aider à comprendre les méthodes de collecte et de tra" -"itement des données, les conventions de nomenclature et la structure de" -"s fichiers.

                                                                                  -\n" -"

                                                                                  En règle générale, une" -" bonne documentation des données comprend des informations sur l’" -"étude, des descriptions des données et toute autre information c" -"ontextuelle nécessaire pour rendre les données utilisables par d" -"’autres chercheurs. Voici d’autres éléments que vous" -" devez documenter, le cas échéant : la méthodologie de re" -"cherche utilisée, les définitions des variables, les vocabulaire" -"s, les systèmes de classification, les unités de mesure, les hyp" -"othèses formulées, le format et le type de fichier des donn&eacu" -"te;es, une description des méthodes de saisie et de collecte des donn&e" -"acute;es, une explication du codage et de l’analyse des données (" -"y compris les fichiers de syntaxe). Vous pouvez consulter le Guide rapide" -" de créer un fichier README pour vos ensembles de données" -" de l’Université de la C.-B. " -"pour plus d’informations.<" -"/p>" +"

                                                                                  Les données brutes sont obtenues directement à part" +"ir de l’instrument, de la simulation ou de l’enquête. <" +"/span>

                                                                                  \n" +"

                                                                                  Les données trait&eac" +"ute;es résultent d’une c" +"ertaine manipulation des données brutes afin d’éliminer le" +"s erreurs ou les valeurs aberrantes, de préparer les données pou" +"r l’analyse ou de dériver de nouvelles variables.  \n" +"

                                                                                  Les données analys&ea" +"cute;es sont les résultats d&r" +"squo;une analyse qualitative, statistique ou mathématique des donn&eacu" +"te;es traitées. Elles peuvent être présentées sous " +"forme de graphiques, de diagrammes ou de tableaux statistiques.  \n" +"

                                                                                  Les données finales sont des données traitée" +"s qui ont, le cas échéant, été converties dans un " +"format permettant leur conservation.

                                                                                  " msgid "" -"

                                                                                  Assign responsibilities for documentation: Individual roles and workflows should include gathering " -"data documentation as a key element.

                                                                                  -\n" -"

                                                                                  Establishing responsibilities for data mana" -"gement and documentation is useful if you do it early on,  ideally in adv" -"ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" -"inning of each project. They can also be used to make team members responsible" -" for proper data management and documentation.

                                                                                  -\n" -"

                                                                                  Consider how you will capture this informat" -"ion and where it will be recorded, to ensure accuracy, consistency, and comple" -"teness of the documentation.

                                                                                  " +"There are several types of standard licenses a" +"vailable to researchers, such as the Creative Commons or Open Data Commons
                                                                                  licenses. Even if you choose to make your data part of the public " +"domain, it is preferable to make this explicit by using a license such as Crea" +"tive Commons' CC0. More about data licensing: UK Data Curation Centre." msgstr "" -"

                                                                                  Attribution des responsabilités quant à la documentat" -"ion : Les rôles individuel" -"s et les flux de travail devraient inclure la collecte de la documentation des" -" données comme élément clé.

                                                                                  Il est uti" -"le d’établir les responsabilités en matière de gest" -"ion des données et de documentation dès le début projet, " -"idéalement avant la collecte et l’analyse des données. Cer" -"tains chercheurs utilisent la
                                                                                  taxonomie de CRediT pour déterminer les rôles des auteurs au débu" -"t de chaque projet (lien en anglais). Ils peuvent éga" -"lement être utilisés pour rendre les membres de l’éq" -"uipe responsables de la gestion appropriée des données et de la " -"documentation.

                                                                                  -\n" -"

                                                                                  Songez à la manière dont vous" -" allez saisir ces informations et à l’endroit où elles ser" -"ont enregistrées, afin de garantir l’exactitude, la cohére" -"nce et l’intégralité de la documentation.

                                                                                  " +"Il existe plusieurs types de licences standard" +" à la disposition des chercheurs, comme les licences Cre" +"ative Commons ou Open Data Commons<" +"/span> (lien en anglais). Mê" +";me si vous choisissez de faire entrer vos données dans le domaine publ" +"ic, vous devriez le faire de manière explicite en utilisant une licence" +" telle que la CC0 de Creative Commons. Pour en savoir plus sur les licences de" +" données, consultez le Centre de cur" +"ation de données du Royaume-Uni (lien en anglais).
                                                                                  " msgid "" -"

                                                                                  Metadata for datasets: DataCite has developed a metadata schema specifically for open datasets. It lists a set of core" -" metadata fields and instructions to make datasets easily identifiable and cit" -"able. 

                                                                                  -\n" -"There are many other general and domain-specif" -"ic metadata standards.  Dataset documentation should be provided in one o" -"f these standard, machine readable, openly-accessible formats to enable the ef" -"fective exchange of information between users and systems.  These standar" -"ds are often based on language-independent data formats such as XML, RDF, and " -"JSON. There are many metadata standards based on these formats, including disc" -"ipline-specific standards. Read more about metadata standards at the UK Digital Curation Centre's Disciplinary Metadata resource." +"

                                                                                  Licenses determine what uses can be made of" +" your data. Funding agencies and/or data repositories may have end-user licens" +"e requirements in place; if not, they may still be able to guide you in the de" +"velopment of a license. You may also want to check the requirements of any jou" +"rnals you plan to submit to - do they require data associated with your manusc" +"ript to be made public? Note that only the intellectual property rights holder" +"(s) can issue a license, so it is crucial to clarify who owns those rights.

                                                                                  \n" +"

                                                                                  Consider whether attribution is important t" +"o you; if so, select a license whose terms require that data used by others be" +" properly attributed to the original authors. Include a copy of your end-user " +"license with your Data Management Plan.

                                                                                  " msgstr "" -"

                                                                                  Métadonnées pour les ensembles de données :&nb" -"sp;DataCite a développé" -" un schéma de métadonnées pour les ensembles de données ouverts (" -"lien en anglais). Il énumère un ensemble de champs" -" de métadonnées de base et d’instructions pour rendre les " -"ensembles de données facilement identifiables et citables. 
                                                                                  <" -"br />Il existe de nombreuses autres nor" -"mes de métadonnées générales et spécifiques" -" à un domaine. La documentation sur les ensembles de données doi" -"t être fournie dans l’un de ces formats standard, lisible par mach" -"ine et librement accessible, afin de permettre un échange efficace d&rs" -"quo;informations entre les utilisateurs et les systèmes. Ces normes son" -"t souvent basées sur des formats de données indépendants " -"du langage, tels que XML, RDF et JSON. De nombreuses normes de métadonn" -"ées sont fondées sur ces formats, y compris des normes spé" -";cifiques à une discipline. Pour en savoir plus sur les normes de m&eac" -"ute;tadonnées, consultez la ressource sur les m&ea" -"cute;tadonnées par disciplines du Centre de curation numérique d" -"u Royaume-Uni (lien en anglais
                                                                                  ).

                                                                                  " +"

                                                                                  Les licences déterminent les utilisa" +"tions permises de vos données. Les organismes de financement et les d&e" +"acute;pôts de données peuvent avoir des exigences en matiè" +"re de licence d’utilisation finale ; autrement, ils peuvent toujo" +"urs vous guider dans l’élaboration d’une licence. Vous pouv" +"ez également vérifier les exigences des revues auxquelles vous p" +"révoyez soumettre votre revue. Celles-ci exigent-elles que les donn&eac" +"ute;es associées à votre manuscrit soient rendues publiques&thin" +"sp;? Notez que les détenteurs des droits de propriété int" +"ellectuelle sont les seuls à pouvoir délivrer une licence&thinsp" +";; vous devez donc de préciser qui détient ces droits. \n" +"

                                                                                  L’attribution est-elle importante pou" +"r vous ? Choisissez une licence dont les conditions exigent que les don" +"nées utilisées par d’autres soient correctement attribu&ea" +"cute;es aux auteurs originaux, le cas échéant. Joignez une copie" +" de votre licence d’utilisateur final à votre plan de gestion des" +" données.

                                                                                  " msgid "" -"

                                                                                  Document your process: It is useful to consult regularly with members of the research team to captu" -"re potential changes in data collection/processing that need to be reflected i" -"n the documentation.

                                                                                  " +"The datasets analysed during the current study" +" are available in the University of Calgary’s PRISM Dataverse repository" +", [https://doi.org/exampledoi]." msgstr "" -"

                                                                                  Documentez votre processus : Il est utile de consulter régulièrement les membres de l" -"’équipe de recherche afin de saisir les changements potentiels da" -"ns la collecte et le traitement des données qui doivent être refl" -"étés dans la documentation. 

                                                                                  " +"Les ensembles de données analysé" +"s au cours de la présente étude sont disponibles dans le d&eacut" +"e;pôt PRISM Dataverse de l’Université de Calgary [https://doi.org/exampledoi]." msgid "" -"

                                                                                  Estimating data storage needs: Storage-space estimates should take into account requirements for fi" -"le versioning, backups, and growth over time. 

                                                                                  -\n" -"

                                                                                  If you are collecting data over a long peri" -"od (e.g. several months or years), your data storage and backup strategy shoul" -"d accommodate data growth. Include your back-up storage media in your estimate" -".

                                                                                  " +"Choose a repository that offers persistent ide" +"ntifiers such as a DOI. These are persistent links that provide stable long-te" +"rm access to your data. Ensure you put a data availability statement in your a" +"rticle, with proper citation to the location of your data. If possible, put th" +"is under its own heading. If the journal does not use this heading in its form" +"atting, you could include this information in your Methods section or as a sup" +"plementary file you provide." msgstr "" -"

                                                                                  Estimation des besoins de stockage de données : Les estimations de l’espace de stockag" -"e doivent tenir compte des besoins en matière de versions de fichier, d" -"e sauvegardes et de croissance dans le temps. 

                                                                                  -\n" -"

                                                                                  Si vous collectez des données sur un" -"e longue période (par exemple plusieurs mois ou années), votre s" -"tratégie de stockage et de sauvegarde des données doit tenir com" -"pte de la croissance des données. Précisez vos supports de stock" -"age de sauvegarde dans votre estimation.

                                                                                  " +"Choisissez un dépôt qui offre des" +" identificateurs persistants tels qu’un identifiant d’objet num&ea" +"cute;rique. Il s’agit de liens persistants qui fournissent un accè" +";s stable à long terme à vos données. Assurez-vous de met" +"tre une déclaration de disponibilité des données dans vot" +"re article, avec une citation appropriée de l’emplacement de vos " +"données. Si possible, placez cette déclaration sous sa propre ru" +"brique. Si la revue n’utilise pas cette rubrique dans son formatage, vou" +"s pouvez inclure cette information dans votre section Méthodes ou dans " +"un fichier supplémentaire que vous fournissez." msgid "" -"

                                                                                  Follow the 3-2-1 rule to prevent data loss: It&rsquo" -";s important to have a regular backup schedule — and to document that pr" -"ocess — so that you can review any changes to the data at any point duri" -"ng the project. The risk of losing data due to human error, natural disasters," -" or other mishaps can be mitigated by following the 3-2-1 backup rule: Have at" -" least three copies of your data; store the copies on two different media; kee" -"p one backup copy offsite. Read more about storage and backup practices  " -"from the University of Sheffield Library and the UK Data Service.

                                                                                  " +"Your data management plan has identified impor" +"tant data activities in your project. Identify who will be responsible -- indi" +"viduals or organizations -- for carrying out these parts of your data manageme" +"nt plan. This could also include the time frame associated with these staff re" +"sponsibilities and any training needed to prepare staff for these duties. Syst" +"ematic review projects have stages, which can act as great reminders to ensure" +" that data associated with each stage are made accessible to other project mem" +"bers in a timely fashion. " msgstr "" -"

                                                                                  Suivez la règle 3-2-1 pour éviter les pertes de donn&" -"eacute;es : Il est important d&r" -"squo;avoir un calendrier de sauvegarde régulier — et de documente" -"r ce processus — afin de pouvoir examiner toute modification des donn&ea" -"cute;es à tout moment au cours du projet. Vous pouvez réduire se" -"nsiblement le risque de perdre des données à la suite d’un" -"e erreur humaine, d’une catastrophe naturelle ou d’un autre incide" -"nt en suivant la règle de sauvegarde 3-2-1 : ayez au moins tr" -"ois copies de vos données ; stockez les copies sur deux supports" -" différents ; conservez une copie de sauvegarde hors site. Pour " -"en savoir plus sur les pratiques de stockage et de sauvegarde, consultez le si" -"te de la bibliothèque de l’Université d" -"e Sheffield et celui du Service des données du Royaume-Uni (liens" -" en anglais).

                                                                                  " +"Votre plan de gestion des données compo" +"rte des activités importantes en matière de données dans " +"votre projet. Désignez la personne ou l’organisation qui sera res" +"ponsable de la réalisation de ces parties de votre plan de gestion des " +"données. Vous pouvez aussi inclure le calendrier associé à" +"; ces responsabilités du personnel et les formations nécessaires" +" pour préparer le personnel à ces tâches. Les projets de r" +"evue systématique comportent des étapes qui peuvent servir de ra" +"ppel pour s’assurer que les données associées à cha" +"que étape sont rendues accessibles aux autres membres du projet au mome" +"nt opportun. " msgid "" -"

                                                                                  Ask for help: Your in" -"stitution should be able to provide guidance with local storage solutions. See" -"k out RDM support at your Library or your Advanced Research Computing departme" -"nt. 

                                                                                  -\n" -"

                                                                                  Third-party commercial file sharing service" -"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" -"t necessarily permanent or secure, and servers are often located outside Canad" -"a. This may contravene ethics protocol requirements or other institutional pol" -"icies. 

                                                                                  -\n" -"

                                                                                  An ideal solution is one that facilitates c" -"ooperation and ensures data security, yet is able to be adopted by users with " -"minimal training. Transmitting data between locations or within research teams" -" can be challenging for data management infrastructure. Relying on email for d" -"ata transfer is not a robust or secure solution.

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Raw data are directly obt" -"ained from the instrument, simulation or survey. 
                                                                                  • -\n" -"
                                                                                  • Processed data result fro" -"m some manipulation of the raw data in order to eliminate errors or outliers, " -"to prepare the data for analysis, to derive new variables, or to de-identify t" -"he human participants. 
                                                                                  • -\n" -"
                                                                                  • Analyzed data are the res" -"ults of qualitative, statistical, or mathematical analysis of the processed da" -"ta. They can be presented as graphs, charts or statistical tables. 
                                                                                  • -\n" -"
                                                                                  • Final data are processed " -"data that have, if needed, been converted into a preservation-friendly format." -" 
                                                                                  • -\n" -"
                                                                                  " +"

                                                                                  Indicate a succession strategy for these da" +"ta in the event that one or more people responsible for the data leaves. Descr" +"ibe the process to be followed in the event that the Principal Investigator le" +"aves the project. In some instances, a co-investigator or the department or di" +"vision overseeing this research will assume responsibility.

                                                                                  \n" +"If data is deposited into a shared space as ea" +"ch stage of the review is completed, there is greater likelihood that the team" +" has all of the data necessary to successfully handle personnel changes.
                                                                                  NOTE: Shared storage spaces" +" such as Dropbox and Google drive are attached to an individual’s accoun" +"t and storage capacity so consideration needs to be given as to who should be " +"the primary account holder for the shared storage space, and how data will be " +"transferred to another account if that person leaves the team." msgstr "" -"

                                                                                  Demandez de l’aide : Votre établissement devrait être en mesure de fournir des c" -"onseils sur les solutions de stockage local. Demandez à votre biblioth&" -"egrave;que ou votre département d’informatique de recherche avanc" -"ée pour de l’aide par rapport à la gestion des donné" -";es de recherche (GDR). 

                                                                                  -\n" -"

                                                                                  Les services de partage de fichiers commerc" -"iaux indépendants (tels que Google Drive et Dropbox) facilitent l&rsquo" -";échange de fichiers, mais ils ne sont pas nécessairement perman" -"ents ou sécurisés, et les serveurs sont souvent situés &a" -"grave; l’extérieur du Canada. Ces moyens de stockage peuvent cont" -"revenir aux exigences du protocole d’éthique ou à d’" -"autres politiques de l’établissement.

                                                                                  -\n" -"

                                                                                  La solution idéale est celle qui fac" -"ilite la coopération et assure la sécurité des donn&eacut" -"e;es, tout en pouvant être adoptée par les utilisateurs avec un m" -"inimum de formation. La transmission des données entre les sites ou au " -"sein des équipes de recherche peut être difficile pour les infras" -"tructures de gestion des données. Le courrier électronique n&rsq" -"uo;est pas une solution robuste ou sûre pour le transfert des donn&eacut" -"e;es.

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Les données brutes <" -"/strong>sont obtenues directement à par" -"tir de l’instrument, de la simulation ou de l’enquête.
                                                                                  • -\n" -"
                                                                                  • Les données trait&ea" -"cute;es résultent d’une " -"certaine manipulation des données brutes afin d’éliminer l" -"es erreurs ou les valeurs aberrantes, de préparer les données po" -"ur l’analyse, de dériver de nouvelles variables ou d’anonym" -"iser les participants.
                                                                                  • -\n" -"
                                                                                  • Les données analys&e" -"acute;es sont les résultats d&" -"rsquo;une analyse qualitative, statistique ou mathématique des donn&eac" -"ute;es traitées. Elles peuvent être présentées sous" -" forme de graphiques, de diagrammes ou de tableaux statistiques.
                                                                                  • -" -"\n" -"
                                                                                  • Les données dé" -";finitives sont des données tr" -"aitées qui ont été converties dans un format facile &agra" -"ve; préserver si nécessaire.
                                                                                  • -\n" -"
                                                                                  " -<<<<<<< HEAD +"

                                                                                  Indiquez une stratégie de relè" +";ve pour ces données au cas où une ou plusieurs personnes respon" +"sables des données quitteraient le projet. Décrivez le processus" +" à suivre si le chercheur principal quitte le projet. Dans certains cas" +", un co-chercheur ou le département ou la division qui supervise cette " +"recherche en assumera la responsabilité.

                                                                                  \n" +"

                                                                                  Si les données sont dépos&eac" +"ute;es dans un espace partagé à la fin de chaque étape de" +" la revue, il est plus probable que l’équipe dispose de toutes le" +"s données nécessaires pour gérer avec succès les c" +"hangements de personnel. NOTEZ : les espaces de stockage partagés tels que Dropbox et Go" +"ogle Drive sont liés au compte et à la capacité de stocka" +"ge d’une personne. Il faut donc bien choisir le titulaire principal du c" +"ompte pour l’espace de stockage partagé et la manière dont" +" les données seront transférées sur un autre compte si ce" +"tte personne quitte l’équipe.

                                                                                  " + +msgid "" +"Consider the cost of systematic review managem" +"ent software and citation management software if you are applying for a grant," +" as well as the cost for shared storage space, if needed. What training do you" +" or your team need to ensure that everyone is able to adhere to the processes/" +"policies outlined in the data management plan? " +msgstr "" +"Tenez compte du coût du logiciel de gest" +"ion de la revue systématique et du logiciel de gestion des citations si" +" vous demandez une subvention ; tenez également compte du co&uci" +"rc;t de l’espace de stockage partagé, le cas échéan" +"t. Quelle formation pourrait être utile pour vous ou votre équipe" +" pour faire en sorte que chacun est en mesure de respecter les processus ou le" +"s politiques dans le plan de gestion des données ? " msgid "" -"

                                                                                  Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

                                                                                  -\n" -"

                                                                                  If you publish your data in a data reposito" -"ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" -"y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

                                                                                  -\n" -"re3data.org" -" is a directory of potential open d" -"ata repositories. Consult with your colleagues to determine what repositories " -"are common for data sharing in your field. You can also enquire about RDM supp" -"ort at your local institution, often in the Library or Advanced Research Compu" -"ting. In the absence of local support, consult this Portage reposito" -"ry options guide." +"Most reviews do not include sensitive data, bu" +"t if you are using individual patient-level data in your meta-analysis there m" +"ay be data sharing agreements that are required between institutions. These ap" +"provals require coordination with the legal teams between multiple institution" +"s and will necessitate secure data management practices. This type of data wil" +"l not be open for sharing. Sensitive data should never be shared via email or " +"cloud storage services such as Dropbox." msgstr "" -"

                                                                                  Aidez les autres à utiliser et citer vos données :&nb" -"sp;Saviez-vous qu’un ensemble d" -"e données est une production scientifique que vous pouvez mentionner su" -"r votre CV tout comme un article de revue ? 

                                                                                  -\n" -"

                                                                                  Si vous publiez vos données dans un " -"dépôt de données (par exemple, Zenodo, Dataverse, Dryad), " -"elles peuvent être trouvées et réutilisées par autr" -"ui. De nombreux dépôts peuvent émettre des identifiants d&" -"rsquo;objets numériques (DOI) uniques qui facilitent l’identifica" -"tion et la citation des ensembles de données. 

                                                                                  <" -"a href=\"https://www.re3data.org/\">re3data.org<" -"/span> est un répertoire de d&eacut" -"e;pôts de données ouverts potentiels (lien en anglai" -"s). Consultez vos collègues pour déterminer quels sont les " -"dépôts courants pour le partage de données dans votre doma" -"ine. Vous pouvez également vous renseigner sur le soutien à la G" -"DR de votre établissement, soit à la bibliothèque soit au" -" département d’informatique de recherche avancée. En l&rsq" -"uo;absence de soutien local, consultez le guide sur les options de d" -"épôt de Portage.

                                                                                  " +"La plupart des revues systématiques ne " +"comportent pas de données sensibles, mais si vous utilisez des donn&eac" +"ute;es individuelles sur les patients dans votre méta-analyse, il se pe" +"ut que des ententes de partage de données soient nécessaires ent" +"re les établissements. Ces ententes exigent une coordination entre les " +"services juridiques des établissements et nécessitent des pratiq" +"ues de gestion des données sécurisées. Ces données" +" ne seront pas partagées librement. Les données sensibles ne doi" +"vent jamais être partagées par courrier électronique ou pa" +"r des services de stockage dans le nuage tels que Dropbox." msgid "" -"

                                                                                  How long should you keep your data? The length of time that you will keep or share your data beyond the " -"active phase of your research can be determined by external policies (e.g. fun" -"ding agencies, journal publishers), or by an understanding of the enduring (hi" -"storical) value of a given set of data. The need to publish data in the short-" -"term (i.e. for peer-verification purposes), for a longer-term access for reuse" -" (to comply with funding requirements), or for preservation through ongoing fi" -"le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

                                                                                  -\n" -"

                                                                                  If you need long-term archiving for your da" -"ta set, choose a  preservation-capable repository. Digital preservation c" -"an be costly and time-consuming, and not all data can or should be preserved. " -" 

                                                                                  " +"Systematic reviews generally do not generate s" +"ensitive data, however, it may be useful for different readers (e.g., funders," +" ethics boards) if you explicitly indicate that you do not expect to generate " +"sensitive data." msgstr "" -"

                                                                                  Combien de temps devez-vous conserver vos données ?&n" -"bsp;La durée pendant laquelle " -"vous conserverez ou partagerez vos données au-delà de la phase a" -"ctive de votre recherche peut être déterminée par des poli" -"tiques externes (par exemple, les organismes de financement, les éditeu" -"rs de revues), ou par une compréhension de la valeur durable (historiqu" -"e) d’un ensemble de données en particulier. La nécessit&ea" -"cute; de publier les données à court terme (c’est-à" -"-dire à des fins de révision par les pairs), d’y acc&eacut" -"e;der à plus long terme pour les réutiliser (pour se conformer a" -"ux exigences de financement) ou de les conserver par une conversion et une mig" -"ration continues des fichiers (pour les données ayant une valeur histor" -"ique durable) influencera le choix du dépôt ou de l’archive" -" de données. 

                                                                                  -\n" -"

                                                                                  Si vous avez besoin d’un archivage &a" -"grave; long terme pour votre ensemble de données, choisissez un d&eacut" -"e;pôt capable d’assurer la conservation. La conservation num&eacut" -"e;rique peut être coûteuse et longue ; certaines donn&eacut" -"e;es ne peuvent ou ne doivent pas être conservées.

                                                                                  " +"Les revues systématiques ne gén&" +"egrave;rent généralement pas de données sensibles, cepend" +"ant, certains lecteurs (par exemple, les bailleurs de fonds, les comité" +"s d’éthique) pourraient trouver utile que vous indiquiez explicit" +"ement que vous n’envisagez pas de générer de donnée" +"s sensibles." msgid "" -"

                                                                                  Consider which types of data need to be sha" -"red to meet institutional or funding requirements, and which data may be restr" -"icted because of confidentiality/privacy/intellectual property considerations." -"

                                                                                  " +"

                                                                                  Be aware that PDF articles and even databas" +"e records used in your review may be subject to copyright. You can store them " +"in your group project space, but they should not be shared as part of your ope" +"n dataset.

                                                                                  \n" +"

                                                                                  If you are reusing others’ published " +"datasets as part of your meta-analysis, ensure that you are complying with any" +" applicable licences on the original dataset, and properly cite that dataset.<" +"/span>

                                                                                  " msgstr "" -"

                                                                                  Considérez quels types de donn&eacut" -"e;es doivent être partagés pour répondre aux exigences de " -"l’établissement ou de financement, et quelles données peuv" -"ent être restreintes pour des raisons de confidentialité ou de pr" -"opriété intellectuelle.

                                                                                  " +"

                                                                                  Sachez que les articles en format PDF et le" +"s enregistrements de base de données utilisés dans votre revue p" +"euvent être soumis à des droits d’auteur. Vous pouvez les s" +"tocker dans votre espace de projet pour le groupe, mais ils ne doivent pas &ec" +"irc;tre partagés avec votre ensemble de données en libre acc&egr" +"ave;s.

                                                                                  \n" +"

                                                                                  Si vous réutilisez des ensembles de " +"données publiés par autrui dans le cadre de votre méta-an" +"alyse, assurez-vous que vous respectez toutes les licences applicables aux ens" +"embles de données originaux et citez correctement ces ensembles de donn" +"ées.

                                                                                  " msgid "" -"

                                                                                  Use open licenses to promote data sharing and reuse: " -"Licenses determine what uses can be made of yo" -"ur data. Consider including a copy of your end-user license with your DMP. 

                                                                                  -\n" -"

                                                                                  As the creator of a dataset (or any other a" -"cademic or creative work) you usually hold its copyright by default. However, " -"copyright prevents other researchers from reusing and building on your work. <" -"/span>Open Data Commons licenses " -"and Creative Commons licenses are a free, simple and standardized way to grant copyright permiss" -"ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" -"cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

                                                                                  -\n" -"

                                                                                  Even if you choose to make your data part o" -"f the public domain (with no restrictions on reuse), it is preferable to make " -"this explicit by using a license such as Creative Common" -"s' CC0. It is strongly recommended " -"to  share your data openly using an Open Data or Creative Commons license" -". 

                                                                                  -\n" -"Learn more about data licensing at the " -"Digital Curation Centre." +"Examples of experimental image data may includ" +"e: Magnetic Resonance (MR), X-ray, Fluorescent Resonance Energy Transfer (FRET" +"), Fluorescent Lifetime Imaging (FLIM), Atomic-Force Microscopy (AFM), Electro" +"n Paramagnetic Resonance (EPR), Laser Scanning Microscope (LSM), Extended X-ra" +"y Absorption Fine Structure (EXAFS), Femtosecond X-ray, Raman spectroscopy, or" +" other digital imaging methods. " msgstr "" -"

                                                                                  Utilisez des licences ouvertes pour promouvoir le partage et la r&e" -"acute;utilisation des données : Les licences déterminent les utilisations qui peuvent être" -" faites de vos données. Ajoutez une copie de votre licence d’util" -"isateur final avec votre PGD.

                                                                                  -\n" -"

                                                                                   En tant que cr&eacut" -"e;ateur d’un ensemble de données (ou de toute autre œuvre u" -"niversitaire ou créative), vous en détenez général" -"ement les droits d’auteur par défaut. Cependant, le droit d&rsquo" -";auteur empêche d’autres chercheurs de réutiliser et de d&e" -"acute;velopper votre travail. Les licences Open Data Commons et les licences Creat" -"ive Commons (liens en " -"anglais) sont un moyen gratuit, simple et standardisé d’acco" -"rder des autorisations de droits d’auteur et de garantir une attribution" -" correcte (c’est-à-dire une citation). CC-BY est la licence la pl" -"us ouverte et permet à d’autres personnes de copier, distribuer, " -"réarranger et développer votre travail — à conditio" -"n qu’elles vous citent.

                                                                                  -\n" -"

                                                                                  Même si vous choisissez de faire entr" -"er vos données dans le domaine public (sans restriction de réuti" -"lisation), il est préférable de le rendre explicite en utilisant" -" une licence telle que la CC0 Creative Commons. Il est fortement recommandé d" -"e partager vos données ouvertement en utilisant une licence Open Data o" -"u Creative Commons. 

                                                                                  Po" -"ur en savoir plus sur l’octroi de licences de données, consultez " -"le site du Centre de curation numéri" -"que (lien en anglais).

                                                                                  " +"Voici quelques exemples de données d'im" +"ages expérimentales : de la résonance magnétique (RM), de" +"s rayons X, du transfert d’énergie entre molécules fluores" +"centes (FRET), de l’imagerie fluorescente en temps de vie (FLIM), de la " +"microscopie à force atomique (AFM), de la résonance paramagn&eac" +"ute;tique électronique (RPE), du microscope à balayage laser (LS" +"M), de la spectrométrie d’absorption des rayons X (EXAFS), des fa" +"isceaux de rayonnement X ultra brefs, de la spectroscopie Raman ou d’aut" +"res méthodes d’imagerie numérique." msgid "" -"

                                                                                  Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" -", talks, webinars, discussion boards or discipline-specific forums are good wa" -"ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

                                                                                  -\n" -"

                                                                                  One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. Publish your data in a repository that will assign a pers" -"istent identifier (such as a DOI) to your dataset. This will ensure a stable a" -"ccess to the dataset and make it retrievable by various discovery tools. Some " -"repositories also create links from datasets to their associated papers, incre" -"asing the visibility of the publications.

                                                                                  " +"

                                                                                  Describe the type(s) of data that will be c" +"ollected, such as: text, numeric (ASCII, binary), images, and animations. " +";

                                                                                  \n" +"List the file formats you expect to use. Keep " +"in mind that some file formats are optimal for the long-term preservation of d" +"ata, for example, non-proprietary formats such as text ('.txt'), comma-separat" +"ed ('.csv'), TIFF (‘.tiff’), JPEG (‘.jpg’), and MPEG-4" +" (‘.m4v’, ‘mp4’). Files converted from one format to a" +"nother for archiving and preservation may lose information (e.g. converting fr" +"om an uncompressed TIFF file to a compressed JPG file), so changes to file for" +"mats should be documented. Guidance on file formats recommended for sharing an" +"d preservation are available from the UK Data Service, Cornell’s Digital Repository, the University of Edinburgh, and the University of B" +"ritish Columbia. " msgstr "" -"

                                                                                  Partage de données pour la mobilisation du savoir : L’utilisation des médias so" -"ciaux, des bulletins d’information électroniques, des tableaux d&" -"rsquo;affichage, des affiches, des conférences, des webinaires, des for" -"ums de discussion ou des forums spécifiques à une discipline son" -"t de bons moyens de gagner en visibilité, de promouvoir la transparence" -" et d’encourager la découverte et la réutilisation des don" -"nées. 

                                                                                  -\n" -"

                                                                                  L’un des meilleurs moyens de diriger " -"d’autres chercheurs vers vos ensembles de données dépos&ea" -"cute;s est de les citer de la même manière que vous citez d&rsquo" -";autres types de publications. Publiez vos données dans un dép&o" -"circ;t qui attribuera un identifiant permanent (tel qu’un DOI) à " -"votre ensemble de données. Cela garantira un accès stable &agrav" -"e; l’ensemble de données et le rendra récupérable p" -"ar divers outils de découverte. Certains dépôts cré" -"ent également des liens entre les ensembles de données et les do" -"cuments qui leur sont associés, ce qui augmente la visibilité de" -"s publications.

                                                                                  " +"

                                                                                  Décrivez les types de données qui seront collectés, te" +"ls que texte, numérique (ASCII, binaire), images et animations.

                                                                                  \n" +"Indiquez les formats de fichiers que vous comp" +"tez utiliser. Gardez à l’esprit que certains formats de fichiers " +"sont optimaux pour conserver les données à long terme, par exemp" +"le les formats non propriétaires tels que le texte ('.txt'), la s&eacut" +"e;paration par virgule ('.csv'), le TIFF ('.tiff'), le JPEG ('.jpg') et le MPE" +"G-4 ('.m4v', 'mp4'). Les fichiers convertis d’un format à un autr" +"e à des fins d’archivage et de conservation peuvent perdre des in" +"formations (par exemple, la conversion d’un fichier TIFF non compress&ea" +"cute; en un fichier JPG compressé) ; vous devriez donc documente" +"r les modifications apportées aux formats de fichiers. Les directives s" +"ur les formats de fichiers recommandés pour le partage et la conservati" +"on sont disponibles sur le site du Service des données du Royaume-Uni, du Dépôt numérique de C" +"ornell, de l’Université d’Édimbourg et de l’Université de la " +"Colombie-Britannique (liens en anglais). " msgid "" -"

                                                                                  Determine jurisdiction: If" -" your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

                                                                                  -\n" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

                                                                                  -\n" -"

                                                                                  If you collaborate with a partner in the Eu" -"ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                                                                                  -\n" -"

                                                                                  If you are working with data that has First" -" Nations, Métis, or Inuit ownership, for example, you will need to work" -" with protocols that ensure community privacy is respected and community harm " -"is reduced. For further guidance on Indigenous data sovereignty, see OCAP P" -"rinciples, and in a global  co" -"ntext, CARE Principles of Indigenous Data Governance.

                                                                                  " +"

                                                                                  Describe any secondary data you expect to r" +"euse. List any available documentation, licenses, or terms of use assigned. If" +" the data have a DOI or unique accession number, include that information and " +"the name of the repository or database that holds the data. This will allow yo" +"u to easily navigate back to the data, and properly cite and acknowledge the d" +"ata creators in any publication or research output.  

                                                                                  \n" +"

                                                                                  For data that are not publicly available, y" +"ou may have entered into a data-sharing arrangement with the data owner, which" +" should be noted here.  A data-sharing arrangement describes what data ar" +"e being shared and how the data can be used. It can be a license agreement or " +"any other formal agreement, for example, an agreement to use copyright-protect" +"ed data.

                                                                                  " msgstr "" -"

                                                                                  Déterminez votre région : Si votre étude s’effectue dans divers établi" -"ssements ou différentes régions, vous devrez déterminer q" -"uelles lois et politiques s’appliqueront à votre recherche.

                                                                                  \n" -"

                                                                                  Le respect des lois en matière de pr" -"otection de la vie privée et des lois susceptibles d’imposer des " -"restrictions sur le contenu des données doit être discuté " -"avec le responsable de la protection de la vie privée ou le bureau des " -"services de recherche de votre établissement.

                                                                                  \n" -"

                                                                                  Si vous collaborez avec un partenaire de l&" -"rsquo;Union européenne, par exemple, vous devrez peut-être suivre" -" le R&egr" -"ave;glement général sur la protection des données (RGPD)<" -"/span>.

                                                                                  Si vous travaillez avec des données qui sont la propri&" -"eacute;té des Premières Nations, des Métis ou des Inuits," -" par exemple, vous devrez travailler avec des protocoles qui garantissent le r" -"espect de la vie privée de la communauté et la réduction " -"des dommages causés à celle-ci. Pour plus d’informations s" -"ur la souveraineté des données autochtones, consultez les principes PCAP, et dans un contexte mondial, les principes CARE sur la gouverna" -"nce autochtone des données (lien en anglais).

                                                                                  " +"

                                                                                  Décrivez toutes les données s" +"econdaires que vous comptez réutiliser. Indiquez toutes les documentati" +"ons disponibles, les licences ou les conditions d’utilisation assign&eac" +"ute;es. Si les données ont un identifiant d’objet numériqu" +"e (Digital Object Identifier – DOI) ou un numéro d’acc&egra" +"ve;s unique, indiquez cette information et le nom du dépôt ou de " +"la base de données qui les détient. Cette information vous perme" +"ttra de retrouver facilement les données ; elle vous permettra aus" +"si de citer et de reconnaître correctement les créateurs des donn" +"ées dans toutes les publications ou tous les résultats de recher" +"che. 

                                                                                  \n" +"

                                                                                  Pour les données qui ne sont pas acc" +"essibles publiquement, vous avez peut-être établi une entente sur" +" le partage de données avec le propriétaire des données&t" +"hinsp;; celle-ci doit être mentionnée ici. Une entente sur le par" +"tage de données décrit les données qui sont partagé" +";es et la manière dont elles peuvent être utilisées. Il pe" +"ut s’agir d’un contrat de licence ou de tout autre accord formel, " +"par exemple une entente d’utilisation de données protég&ea" +"cute;es par des droits d’auteur.

                                                                                  " msgid "" -"

                                                                                  Get informed consent before you collect data: Obtaining the appropriate consent from research parti" -"cipants is an important step in assuring Research Ethics Boards that the data " -"may be shared with researchers outside your project. Your informed consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers. For example, your statement may stipulate that the data will ei" -"ther only be shared for non-profit research purposes (you can use CC-by-NC &md" -"ash; the non-commercial Creative Commons licence with attribution) or that the" -" data will not be linked with other personally-identifying data. Note that thi" -"s aspect is not covered by an open license. You can learn more about data secu" -"rity at the UK Data Service.

                                                                                  -\n" -"

                                                                                  Inform your study participants if you inten" -"d to publish an anonymized and de-identified version of collected data, and th" -"at by participating, they agree to these terms. For sample language for inform" -"ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

                                                                                  -\n" -"

                                                                                  You may need to consider strategies to ensu" -"re the ethical reuse of your published dataset by new researchers. These strat" -"egies may affect your selection of a suitable license, and in some cases you m" -"ay not be able to use an open license.

                                                                                  " +"

                                                                                  An example of experimental data from a seco" +"ndary data source may be structures or parameters obtained from P" +"rotein Data Bank (PDB). 

                                                                                  \n" +"

                                                                                  Examples of computational data and data sou" +"rces may include: log files, parameters, structures, or trajectory files from " +"previous modeling/simulations or tests.

                                                                                  " msgstr "" -"

                                                                                  Obtenez un consentement éclairé avant la collecte de " -"données : L’obtenti" -"on du consentement approprié des participants à la recherche est" -" une étape importante pour rassurer les comités d’é" -"thique de la recherche que les données puissent être partag&eacut" -"e;es avec des chercheurs en dehors de votre projet. Votre déclaration d" -"e consentement éclairé peut préciser certaines conditions" -" clarifiant les utilisations des données par d’autres chercheurs." -" Par exemple, votre déclaration peut stipuler que les données ne" -" seront partagées qu’à des fins de recherche non lucrative" -"s (vous pouvez utiliser CC-by-NC — la licence Creative Commons non comme" -"rciale avec attribution) ou que les données ne seront pas liées " -"à d’autres données permettant d’identifier des perso" -"nnes. Notez que cet aspect n’est pas couvert par une licence ouverte. Vo" -"us pouvez en savoir plus sur la sécurité des données en c" -"onsultant le site du Service des données du R" -"oyaume-Uni (lien en anglais).

                                                                                  -\n" -"

                                                                                  Informez les participants à votre &e" -"acute;tude si vous avez l’intention de publier une version anonymis&eacu" -"te;e et dépersonnalisée des données collectées, et" -" qu’en participant, ils acceptent les présentes conditions. Pour " -"voir des exemples de libellé pour le consentement éclairé" -", consultez la ressource suivante : Formulation recommandée de l’ICPSR pour le " -"consentement éclairé au partage des données (<" -"em>lien en anglais).

                                                                                  -\n" -"

                                                                                  Vous devrez peut-être envisager des s" -"tratégies pour garantir la réutilisation éthique de votre" -" ensemble de données publiées par d’autres chercheurs. Ces" -" stratégies peuvent influencer votre choix d’une licence appropri" -"ée ; dans certains cas, vous ne pourrez pas utiliser une licence" -" ouverte.

                                                                                  " +"

                                                                                  Un exemple de données expérim" +"entales provenant d’une source de données secondaire peut ê" +"tre des structures ou des paramètres obtenus à partir de la banque de données sur les protéines (PDB; lien en anglais). 

                                                                                  \n" +"

                                                                                  Voici quelques exemples de données d" +"e calcul et de sources de données : fichiers journaux, param&egrav" +"e;tres, structures ou fichiers de trajectoire issus de modélisation/sim" +"ulation ou de tests antérieurs.

                                                                                  " msgid "" -"

                                                                                  Privacy protection: O" -"pen science workflows prioritize being “as open as possible and as close" -"d as necessary.” Think about any privacy concerns you may have in regard" -"s to your data, or other restrictions on access outlined in your ethics protoc" -"ol. If your institution or funder regulates legal or ethical guidelines on wha" -"t information must be protected, take a moment to verify you have complied wit" -"h the terms for consent of sharing data. In the absence of local support for a" -"nonymization or de-identification of data, you can reach out to the Portage DM" -"P Coordinator at support@portagenet" -"work.ca.  

                                                                                  " +"

                                                                                  List all devices and/or instruments and des" +"cribe the experimental setup (if applicable) that will be utilized to collect " +"empirical data. For commercial instruments or devices, indicate the brand, typ" +"e, and other necessary characteristics for identification. For a home-built ex" +"perimental setup, list the components, and describe the functional connectivit" +"y. Use diagrams when essential for clarity. 

                                                                                  \n" +"

                                                                                  Indicate the program and software package w" +"ith the version you will use to prepare a structure or a parameter file for mo" +"deling or simulation. If web-based services such as FALCON@home" +", ProM" +"odel, CHARMM-GUI, etc. will be used to prepare or generate data, provide" +" details such as the name of the service, URL, version (if applicable), and de" +"scription of how you plan to use it. 

                                                                                  \n" +"If you plan to use your own software or code, " +"specify where and how it can be obtained to independently verify computational" +" outputs and reproduce figures by providing the DOI, link to GitHub, or anothe" +"r source. Specify if research collaboration platforms such as CodeOcean, or WholeTale will be used to create, execute, and publish computational findings. " msgstr "" -"

                                                                                  Protection de la confidentialité : Les flux de travail scientifiques ouverts préconis" -"ent d’avoir des données « aussi ouvertes que possibl" -"e et aussi restreintes que nécessaire ». Songez à v" -"os réserves en matière de confidentialité de vos donn&eac" -"ute;es ou à d’autres restrictions d’accès déc" -"rites dans votre protocole d’éthique. Si votre établisseme" -"nt ou votre bailleur de fonds régit des directives légales ou &e" -"acute;thiques sur les informations qui doivent être protégé" -";es, prenez un moment pour vérifier si vous avez respecté les co" -"nditions de consentement au partage des données. En l’absence de " -"soutien local pour l’anonymisation ou la dépersonnalisation des d" -"onnées, vous pouvez communiquer avec le coordonnateur de la GPD de Port" -"age à l’adresse suivante : support@portagenetwork.ca.  

                                                                                  " +"

                                                                                  Énumérez tous les dispositifs" +" ou instruments et décrivez le dispositif expérimental (le cas &" +"eacute;chéant) qui sera utilisé pour recueillir des donné" +"es empiriques. Pour les instruments ou dispositifs commerciaux, indiquez la ma" +"rque, le type et les autres caractéristiques nécessaires à" +"; l’identification. Pour un dispositif expérimental cré&ea" +"cute; dans l’établissement, énumérez les composants" +" et décrivez la connectivité fonctionnelle. Utilisez des diagram" +"mes lorsque ceux-ci sont essentiels pour la clarté. 

                                                                                  \n" +"

                                                                                  Indiquez le programme et le progiciel avec " +"la version que vous utiliserez pour préparer une structure ou un fichie" +"r de paramètres pour la modélisation ou la simulation. Si des se" +"rvices basés sur le web, tels que FALCON@home, ProModel" +", CHARMM-GUI (liens en anglai" +"s), etc. sont utilisés pour pr&eac" +"ute;parer ou générer des données, fournissez des dé" +";tails tels que le nom du service, l’URL, la version (le cas éch&" +"eacute;ant) et une description de la manière dont vous prévoyez " +"de l’utiliser. 

                                                                                  \n" +"

                                                                                  Si vous envisagez d’utiliser votre pr" +"opre logiciel ou code, précisez son emplacement et la manière qu" +"’on puisse l’obtenir pour vérifier de manière ind&ea" +"cute;pendante les résultats des calculs et reproduire les chiffres en f" +"ournissant l’identifiant d’objet numérique, le lien vers Gi" +"tHub ou une autre source. Précisez si des plateformes de collaboration " +"de recherche telles que CodeOcean, ou WholeTale" +" (liens en anglais) seront utilisées pour créer, exécuter et publier des r" +"ésultats de calcul.

                                                                                  " msgid "" -"

                                                                                  Please explain, in particular:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
                                                                                  • -\n" -"
                                                                                  • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
                                                                                  • -\n" -"
                                                                                  • Approximately how many participants does the study plan to acquire images " -"from?
                                                                                  • -\n" -"
                                                                                  " +"Reproducible computational practices are criti" +"cal to continuing progress within the discipline. At a high level, describe th" +"e steps you will take to ensure computational reproducibility in your project," +" including the operations you expect to perform on the data, and the path take" +"n by the data through systems, devices, and/or procedures. Describe how an ins" +"trument response function will be obtained, and operations and/or procedures t" +"hrough which data (research and computational outputs) can be replicated. Indi" +"cate what documentation will be provided to ensure the reproducibility of your" +" research and computational outputs." msgstr "" -"Veuillez expliquer :
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Quel type de modalités de neuro-imagerie sera utilisé pour a" -"cquérir des données dans cette étude ? Ex. : IRM, " -"EEG.
                                                                                  • -\n" -"
                                                                                  • Quels autres types de données acquériez-vous dans le cadre d" -"e cette étude ? Ex. : données comportementales, éc" -"hantillons biologiques.
                                                                                  • -\n" -"
                                                                                  • Auprès de combien de participants environ acquériez-vous des" -" images pour l’étude ?
                                                                                  • -\n" -"
                                                                                  " +"Les pratiques de calcul reproductibles sont es" +"sentielles pour continuer à progresser dans la discipline. Décri" +"vez de manière générale les mesures que vous prendrez pou" +"r assurer la reproductibilité des calculs dans votre projet, y compris " +"les opérations que vous prévoyez d’effectuer sur les donn&" +"eacute;es et le cheminement des données à travers les syst&egrav" +"e;mes, les dispositifs ou les procédures. Décrivez comment une f" +"onction de réponse d’un instrument sera obtenue, et les opé" +";rations ou les procédures par lesquelles les données (ré" +"sultats de recherche et de calcul) peuvent être reproduites. Indiquez qu" +"elle documentation sera fournie pour assurer la reproductibilité de vos" +" résultats de recherche et de calcul." msgid "" -"For fellow researchers, a write-up of your met" -"hods is indispensable for supporting the reproducibility of a study. In prepar" -"ation for publishing, consider creating an online document or folder (e.g. ope" -"nneuro, github, zenodo, osf) where your project methods can be gathered/prepar" -"ed. If appropriate, provide a link to that space here." +"

                                                                                  Some examples of data procedures include: d" +"ata normalization, data fitting, data convolution, or Fourier transformation.&" +"nbsp;

                                                                                  \n" +"

                                                                                  Examples of documentation may include: synt" +"ax, code, algorithm(s), parameters, device log files, or manuals. 

                                                                                  " msgstr "" -"Une description de vos méthodes est ind" -"ispensable pour que vos collègues chercheurs puissent reproduire votre " -"étude. En vue de la publication, pensez à créer un docume" -"nt ou un dossier en ligne (par exemple, openneuro, github, zenodo, osf) o&ugra" -"ve; les méthodes de votre projet peuvent être rassemblées " -"ou préparées. Le cas échéant, fournissez un lien v" -"ers cet espace ici." +"

                                                                                  Voici quelques exemples de procédure" +"s relatives aux données : normalisation des données, ajuste" +"ment des données, convolution des données ou transformation de F" +"ourier. 

                                                                                  \n" +"

                                                                                  Voici quelques exemples de documentation&nb" +"sp;: la syntaxe, le code, les algorithmes, les paramètres, les fichiers" +" journaux des appareils ou les manuels.

                                                                                  " msgid "" -"Planning how research data will be stored and " -"backed up throughout and beyond a research project is critical in ensuring dat" -"a security and integrity. Appropriate storage and backup not only helps protec" -"t research data from catastrophic losses (due to hardware and software failure" -"s, viruses, hackers, natural disasters, human error, etc.), but also facilitat" -"es appropriate access by current and future researchers. You may need to encry" -"pt your data to ensure it is not accessible by those outside the project. For " -"more information, see the University of Waterloo’s Guideline for researchers on securing research participants'" -" data.

                                                                                  Please provide URL(s) to any data storage sites. If your" -" data are subject to strict rules governing human subjects and anonymity, then" -" you may need an on-premise solution installed on your institution’s ser" -"ver.
                                                                                  " +"

                                                                                  Documentation can be provided in the form o" +"f a README file with information to ensure the data can be correctly interpret" +"ed by you or by others when you share or publish your data. Typically, a READM" +"E file includes a description (or abstract) of the study, and any other contex" +"tual information required to make data usable by other researchers. Other info" +"rmation could include: research methodology used, variable definitions, vocabu" +"laries, units of measurement, assumptions made, format and file type of the da" +"ta, a description of the data origin and production, an explanation of data fi" +"le formats that were converted, a description of data analysis performed, a de" +"scription of the computational environment, references to external data source" +"s, details of who worked on the project and performed each task. Further guida" +"nce on writing README files is available from the University of British Columb" +"ia (U" +"BC) and Cornell" +" University. 

                                                                                  \n" +"

                                                                                  Consider also saving detailed information d" +"uring the course of the project in a log file. A log file will help to manage " +"and resolve issues that arise during a project and prioritize the response to " +"them. It may include events that occur in an operating system, messages betwee" +"n users, run time and error messages for troubleshooting. The level of detail " +"in a log file depends on the complexity of your project.

                                                                                  " msgstr "" -"La planification de votre méthode de st" -"ockage et de sauvegarde des données de recherche pendant et aprè" -"s un projet de recherche est essentielle pour garantir la sécurit&eacut" -"e; et l’intégrité des données. Un stockage et une s" -"auvegarde appropriés permettent non seulement de protéger les do" -"nnées de recherche contre les pertes catastrophiques (dues à des" -" défaillances matérielles et logicielles, des virus, des pirates" -", des catastrophes naturelles, des erreurs humaines, etc.), mais facilitent &e" -"acute;galement un accès convenable pour les chercheurs actuels et futur" -"s. Vous devrez peut-être crypter vos données pour vous assurer qu" -"’elles ne sont pas accessibles à des personnes en dehors du proje" -"t. Pour plus d’informations, consultez les lignes directrices à l’intention des chercheurs sur la " -"sécurisation des données des participants à la recherche<" -"/span> de l’Université de Wat" -"erloo (lien en anglais).

                                                                                  Veuillez fournir l’URL de tous les sites de stockage de d" -"onnées. Si vos données sont soumises à des règles " -"strictes concernant les êtres humains et l’anonymat, vous pouvez a" -"voir besoin d’une solution sur place installée sur le serveur de " -"votre établissement.
                                                                                  " +"

                                                                                  Les documents peuvent être fournis so" +"us la forme d’un fichier README (lisez-moi) contenant des informations p" +"ermettant de s’assurer que les données peuvent être correct" +"ement interprétées par vous ou par d’autres personnes lors" +"que vous partagez ou publiez vos données. En règle gén&ea" +"cute;rale, un fichier README comprend une description (ou un résum&eacu" +"te;) de l’étude et toute autre information contextuelle né" +"cessaire pour rendre les données utilisables par d’autres cherche" +"urs. Il peut aussi inclure d’autres renseignements, notamment la m&eacut" +"e;thodologie de recherche, les définitions des variables, les vocabulai" +"res, les unités de mesure, les hypothèses formulées, le f" +"ormat et le type de fichier des données, une description de l’ori" +"gine et de la production des données, une explication des formats de fi" +"chiers de données qui ont été convertis, une description " +"de l’analyse des données, une description de l’environnemen" +"t informatique, des références aux sources de données ext" +"ernes, des détails sur les personnes qui ont travaillé sur le pr" +"ojet et qui ont effectué chaque tâche. Vous pouvez obtenir des co" +"nseils supplémentaires sur la rédaction des fichiers README aupr" +"ès de l’Université de Colombie-Britannique (UBC<" +"/span>) et de le l’Université Cornell (lien en anglais)

                                                                                  " +"\n" +"

                                                                                  Envisagez également de sauvegarder d" +"es informations détaillées au cours du projet dans un fichier jo" +"urnal. Un fichier journal aidera à gérer et à réso" +"udre les problèmes qui surviennent au cours d’un projet et &agrav" +"e; établir un ordre de priorité pour y répondre. Il peut " +"comprendre des événements qui se produisent dans un systè" +"me d’exploitation, des messages entre utilisateurs, la durée d&rs" +"quo;exécution et des messages d’erreur pour le dépannage. " +"Le niveau de détail d’un fichier journal dépend de la comp" +"lexité de votre projet.

                                                                                  " msgid "" -"Choices about data preservation will depend on" -" the potential for reuse and long-term significance of the data, as well as wh" -"ether you have obligations to funders or collaborators to either retain or des" -"troy data, and what resources will be required to ensure it remains usable in " -"the future. The need to preserve data in the short-term (i.e. for peer-verific" -"ation purposes) or long-term (for data of lasting value) will influence the ch" -"oice of data repository or archive. Tools such as DataCite's reposit" -"ory finder tool and re3data.org<" -"/a> are useful for finding an appropriate repo" -"sitory for your data. " +"

                                                                                  Consider how you will capture this informat" +"ion in advance of data production and analysis, to ensure accuracy, consistenc" +"y, and completeness of the documentation.  Often, resources you've alread" +"y created can contribute to this (e.g. publications, websites, progress report" +"s, etc.).  It is useful to consult regularly with members of the research" +" team to capture potential changes in data collection/processing that need to " +"be reflected in the documentation. Individual roles and workflows should inclu" +"de gathering data documentation as a key element.

                                                                                  \n" +"Describe how data will be shared and accessed " +"by the members of the research group during the project. Provide details of th" +"e data management service or tool (name, URL) that will be utilized to share d" +"ata with the research group (e.g. Open Science Framework [
                                                                                  OSF] or Radiam)." msgstr "" -"Les choix en matière de conservation de" -"s données dépendront du potentiel de réutilisation et de " -"l’importance à long terme des données, votre obligation en" -"vers les bailleurs de fonds ou les collaborateurs de conserver ou de dé" -"truire les données ainsi que les ressources nécessaires pour gar" -"antir qu’elles restent utilisables à l’avenir. Le besoin de" -" conserver les données à court terme (c’est-à-dire " -"à des fins de vérification par les pairs) ou à long terme" -" (pour les données ayant une valeur durable) influencera le choix du d&" -"eacute;pôt ou de l’archive de données. Des outils tels que " -"l’outil de recherche de dépôt de DataCite<" -"/a> et re3data.org (liens en anglais) sont utiles pour trouver un dép" -"ôt approprié pour vos données. " +"

                                                                                  Réfléchissez à la mani" +"ère dont vous allez saisir ces informations avant la production et l&rs" +"quo;analyse des données, afin de garantir l’exactitude, la coh&ea" +"cute;rence et l’exhaustivité de la documentation. Souvent, les re" +"ssources que vous avez déjà créées peuvent y contr" +"ibuer (par exemple, des publications, des sites web, des rapports d’avan" +"cement, etc.). Il est utile de consulter régulièrement les membr" +"es de l’équipe de recherche afin de saisir les changements potent" +"iels dans la collecte ou le traitement des données qui doivent êt" +"re reflétés dans la documentation. Les rôles individuels e" +"t les flux de travail doivent inclure la collecte de la documentation des donn" +"ées comme élément clé.

                                                                                  Décrivez comment les données seront parta" +"gées avec membres du groupe de recherche et comment ceux-ci y auront ac" +"cès pendant le projet. Précisez le service ou l’outil de g" +"estion des données (nom, URL) qui sera utilisé pour partager les" +" données avec le groupe de recherche (par exemple, Open Science Framewo" +"rk [OSF] ou Radiam; liens en anglais).

                                                                                  " msgid "" -"Most Canadian research funding agencies now ha" -"ve policies recommending or requiring research data to be shared upon publicat" -"ion of the research results or within a reasonable period of time. While data " -"sharing contributes to the visibility and impact of research, it has to be bal" -"anced with the legitimate desire of researchers to maximise their research out" -"puts before releasing their data. Equally important is the need to protect the" -" privacy of respondents and to properly handle sensitive data. What you can share, and with whom, may depend on what " -"type of consent is obtained from study participants. In a case where some (or " -"all) or the data analyzed was previously acquired (by your research team or by" -" others), what you can share for this current study may also be dependent on t" -"he terms under which the original data were provided, and any restrictions tha" -"t were placed on that data originally. Provide a copy of your consent forms an" -"d licensing terms for any secondary data, if available." +"

                                                                                  There are many general and domain-specific " +"metadata standards. Dataset documentation should be provided in a standard, ma" +"chine-readable, openly-accessible format to enable the effective exchange of i" +"nformation between users and systems. These standards are often based on langu" +"age-independent data formats such as XML, RDF, and JSON. Read more about metad" +"ata standards here: UK Digital Curation Centre's Disciplinary" +" Metadata.

                                                                                  " msgstr "" -"La plupart des organismes canadiens de finance" -"ment de la recherche ont maintenant des politiques recommandant ou exigeant qu" -"e les données de recherche soient partagées dès la public" -"ation des résultats de la recherche ou dans un délai raisonnable" -". Si le partage des données contribue à la visibilité et " -"à l’impact de la recherche, il doit être équilibr&ea" -"cute; avec le désir légitime des chercheurs de maximiser les r&e" -"acute;sultats de leurs recherches avant de publier leurs données. Il es" -"t tout aussi important de protéger la confidentialité des r&eacu" -"te;pondants et de traiter correctement les données sensibles. Le mat&ea" -"cute;riel que vous pouvez partager et les entités avec lesquels vous po" -"uvez les partager dépendent du type de consentement obtenu des particip" -"ants à l’étude. Si des données analysées ont" -" été acquises précédemment (par votre équip" -"e de recherche ou par d’autres), ce que vous pouvez partager pour cette " -"étude en cours peut également dépendre des conditions dan" -"s lesquelles les données originales ont été fournies et d" -"es contraintes qui ont été imposées à ces donn&eac" -"ute;es à l’origine. Veuillez fournir une copie de vos formulaires" -" de consentement et des conditions de licence pour toutes les données s" -"econdaires, si elles sont disponibles." +"

                                                                                  Il y a de nombreuses normes de métad" +"onnées générales et spécifiques à un domain" +"e. La documentation sur les jeux de données doit être fournie dan" +"s un format standard, lisible par machine et accessible à tous afin de " +"permettre un échange efficace d’informations entre les utilisateu" +"rs et les systèmes. Ces normes sont souvent basées sur des forma" +"ts de données indépendants du langage, tels que XML, RDF et JSON" +". Pour en savoir plus sur les normes de métadonnées, consultez l" +"e site suivant " +"Métadonnées disciplinaires du Di" +"gital Curation Centre (lien en anglais).

                                                                                  " msgid "" -"Data management focuses on the 'what' and 'how" -"' of operationally supporting data across the research lifecycle. Data steward" -"ship focuses on 'who' is responsible for ensuring that data management happens" -". A large project, for example, will involve multiple data stewards. The Princ" -"ipal Investigator should identify at the beginning of a project all of the peo" -"ple who will have responsibilities for data management tasks during and after " -"the project." +"Storage-space estimates should consider requir" +"ements for file versioning, backups, and growth over time.  If you are co" +"llecting data over a long period (e.g. several months or years), your data sto" +"rage and backup strategy should accommodate data growth. Similarly, a long-ter" +"m storage plan is necessary if you intend to retain your data after the resear" +"ch project. " msgstr "" -"La gestion des données est centré" -";e sur la nature et la méthode du soutien opératoire des donn&ea" -"cute;es tout au long du cycle de vie de la recherche. L’intendance des d" -"onnées se concentre sur la personne ou le groupe responsable de la gest" -"ion des données. Un projet de grande envergure, par exemple, fera inter" -"venir plusieurs gestionnaires de données. Le chercheur principal doit d" -"ésigner au début du projet toutes les personnes qui seront respo" -"nsables des tâches de gestion des données pendant et après" -" le projet." +"Les estimations de l’espace de stockage " +"doivent tenir compte des besoins en matière de versions de fichiers, de" +" sauvegardes et de croissance dans le temps. Si vous collectez des donné" +";es sur une longue période (par exemple plusieurs mois ou années" +"), votre stratégie de stockage et de sauvegarde des données doit" +" tenir compte de la croissance des données. De même, un plan de s" +"tockage à long terme est nécessaire si vous avez l’intenti" +"on de conserver vos données après le projet de recherche. " msgid "" -"This estimate should incorporate data manageme" -"nt costs expected during the project as well as those required for the longer-" -"term support for the data after the project is finished. Items to consider in " -"the latter category of expenses include the costs of curating and providing lo" -"ng-term access to the data. Some funding agencies state explicitly that they w" -"ill provide support to meet the cost of preparing data for deposit. This might" -" include technical aspects of data management, training requirements, file sto" -"rage & backup, and contributions of non-project staff. OpenAIRE has developed a tool to help researchers estimate" -" costs associated with data management. Access this tool " -"here." +"

                                                                                  Data may be stored using optical or magneti" +"c media, which can be removable (e.g. DVD and USB drives), fixed (e.g. desktop" +" or laptop hard drives), or networked (e.g. networked drives or cloud-based se" +"rvers). Each storage method has benefits and drawbacks that should be consider" +"ed when determining the most appropriate solution. 

                                                                                  \n" +"The risk of losing data due to human error, na" +"tural disasters, or other mishaps can be mitigated by following the 3-2-1 ba" +"ckup rule: \n" +"
                                                                                    \n" +"
                                                                                  • Have at least three copies of your data.
                                                                                  • \n" +"
                                                                                  • Store the copies on two different media.
                                                                                  • \n" +"
                                                                                  • Keep one backup copy offsite.
                                                                                  • " +"\n" +"
                                                                                  " msgstr "" -"Cette estimation doit intégrer les co&u" -"circ;ts de gestion des données prévus pendant le projet ainsi qu" -"e ceux nécessaires pour le soutien à plus long terme des donn&ea" -"cute;es après la fin du projet. Parmi les éléments &agrav" -"e; prendre en compte dans cette dernière catégorie de dép" -"enses, il y a les coûts de conservation et d’accès à" -" long terme aux données. Certains organismes subventionnaires dé" -"clarent explicitement qu’ils fourniront une aide pour couvrir le co&ucir" -"c;t de la préparation des données en vue de leur dép&ocir" -"c;t. Cette aide peut inclure les aspects techniques de la gestion des donn&eac" -"ute;es, les besoins de formation, le stockage et la sauvegarde des fichiers, e" -"t les contributions du personnel non affecté au projet. OpenAIRE a d&ea" -"cute;veloppé un outil pour aider les chercheurs à estimer les co" -"ûts associés à la gestion des données. Cliquez ici pour avoir acc" -"ès à cet outil (lien en anglais)." +"

                                                                                   

                                                                                  \n" +"

                                                                                  Les données peuvent être stock" +"ées sur des supports optiques ou magnétiques ; ceux-ci pe" +"uvent être amovibles (par exemple, des lecteurs DVD et USB), fixes (par " +"exemple, des disques durs de bureau ou d’ordinateur portable) ou en r&ea" +"cute;seau (par exemple, des lecteurs en réseau ou des serveurs en nuage" +"). Chaque méthode de stockage présente des avantages et des inco" +"nvénients qui doivent être pris en compte pour déterminer " +"la solution la plus appropriée. 

                                                                                  \n" +"


                                                                                  Le risque de perdre des donnée" +"s en raison d’une erreur humaine, d’une catastrophe naturelle ou d" +"’un autre incident peut être atténué en suivant la <" +"a href=\"http://dataabinitio.com/?p=501\">règle de sauvegarde 3-2-1<" +"/a> (lien en anglais):

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Ayez au moins trois copies de vos donn&eac" +"ute;es.
                                                                                  • \n" +"
                                                                                  • Conserver les copies sur deux supports dif" +"férents.
                                                                                  • \n" +"
                                                                                  • Gardez une copie de sauvegarde hors site.<" +"/span>
                                                                                  • \n" +"
                                                                                  " msgid "" -======= +"

                                                                                  Consider which data need to be shared to me" +"et institutional, funding, or industry requirements. Consider which data will " +"need to be restricted because of data-sharing arrangements with third parties," +" or other intellectual property considerations. 

                                                                                  \n" +"

                                                                                  In this context, data might include researc" +"h and computational findings, software, code, algorithms, or any other outputs" +" (research or computational) that may be generated during the project. Researc" +"h outputs might be in the form of:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • raw data are the data dir" +"ectly obtained from the simulation or modeling;
                                                                                  • \n" +"
                                                                                  • processed data result fro" +"m some manipulation of the raw data in order to eliminate errors or outliers, " +"to prepare the data for analysis, or to derive new variables; or
                                                                                  • " +"\n" +"
                                                                                  • analyzed data are the res" +"ults of quantitative, statistical, or mathematical analysis of the processed d" +"ata.
                                                                                  • \n" +"
                                                                                  " +msgstr "" +"

                                                                                  Examinez quelles données doivent &ec" +"irc;tre partagées pour répondre aux exigences des institutions, " +"des bailleurs de fonds ou de l’industrie. Déterminez quelles donn" +"ées devront être limitées en raison d’entente de par" +"tage de données avec des tiers ou pour des raisons de propriét&e" +"acute; intellectuelle. 

                                                                                  \n" +"

                                                                                  Dans ce contexte, les données peuven" +"t inclure des résultats de recherche et de calcul, des logiciels, des c" +"odes, des algorithmes, ou tout autre résultat (de recherche ou de calcu" +"l) qui pourrait être généré au cours du projet. Les" +" résultats de la recherche peuvent se présenter sous la forme&nb" +"sp;:

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • de données brutes qui sont les données obtenues di" +"rectement à partir de la simulation ou de la modélisation&thinsp" +";;
                                                                                  • \n" +"
                                                                                  • de données trait&eac" +"ute;es qui résultent d’u" +"ne certaine manipulation des données brutes afin d’élimine" +"r les erreurs ou les valeurs aberrantes, de préparer les données" +" pour l’analyse ou de dériver de nouvelles variables ; ou " +"
                                                                                  • \n" +"
                                                                                  • de données analys&ea" +"cute;es qui résultent d’" +"une analyse quantitative, statistique ou mathématique des donnée" +"s traitées.
                                                                                  • \n" +"
                                                                                  " msgid "" -"

                                                                                  Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" -"n list on your CV, just like a journal article? 

                                                                                  -\n" -"

                                                                                  If you publish your data in a data reposito" -"ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" -"y repositories can issue unique Digital Object Identifiers (DOIs) which make i" -"t easier to identify and cite datasets. 

                                                                                  -\n" -"re3data.org" -" is a directory of potential open d" -"ata repositories. Consult with your colleagues to determine what repositories " -"are common for data sharing in your field. You can also enquire about RDM supp" -"ort at your local institution, often in the Library or Advanced Research Compu" -"ting. In the absence of local support, consult this Portage reposito" -"ry options guide." +"

                                                                                  Possibilities include: data registries, dat" +"a repositories, indexes, word-of-mouth, and publications. If possible, choose " +"to archive your data in a repository that will assign a persistent identifier " +"(such as a DOI) to your dataset. This will ensure stable access to the dataset" +" and make it retrievable by various discovery tools. 

                                                                                  \n" +"One of the best ways to refer other researcher" +"s to your deposited datasets is to cite them the same way you cite other types" +" of publications (articles, books, proceedings). The Digital Curation Centre p" +"rovides a detailed guide on data citation. Note that some data repositories also creat" +"e links from datasets to their associated papers, thus increasing the visibili" +"ty of the publications.  " msgstr "" -"

                                                                                  Aidez les autres à utiliser et citer vos données :&nb" -"sp;Saviez-vous qu’un ensemble d" -"e données est une production scientifique que vous pouvez mentionner su" -"r votre CV tout comme un article de revue ? 

                                                                                  -\n" -"

                                                                                  Si vous publiez vos données dans un " -"dépôt de données (par exemple, Zenodo, Dataverse, Dryad), " -"elles peuvent être trouvées et réutilisées par autr" -"ui. De nombreux dépôts peuvent émettre des identifiants d&" -"rsquo;objets numériques (DOI) uniques qui facilitent l’identifica" -"tion et la citation des ensembles de données. 

                                                                                  <" -"a href=\"https://www.re3data.org/\">re3data.org<" -"/span> est un répertoire de d&eacut" -"e;pôts de données ouverts potentiels (lien en anglai" -"s). Consultez vos collègues pour déterminer quels sont les " -"dépôts courants pour le partage de données dans votre doma" -"ine. Vous pouvez également vous renseigner sur le soutien à la G" -"DR de votre établissement, soit à la bibliothèque soit au" -" département d’informatique de recherche avancée. En l&rsq" -"uo;absence de soutien local, consultez le guide sur les options de d" -"épôt de Portage.

                                                                                  " +"

                                                                                  Parmi les mesures, il y a notamment : " +"les registres de données, les dépôts de données, le" +"s index, le bouche-à-oreille et les publications. Si possible, choisiss" +"ez d’archiver vos données dans un dépôt qui attribue" +"ra un identifiant permanent (tel qu’un identifiant d’objet num&eac" +"ute;rique) à votre ensemble de données. Cela garantira un acc&eg" +"rave;s stable à l’ensemble de données et permettra de les " +"récupérer à l’aide de divers outils de décou" +"verte.

                                                                                  L’un des meille" +"urs moyens de renvoyer d’autres chercheurs à vos ensembles de don" +"nées déposés est de les citer de la même mani&egrav" +"e;re que vous citez d’autres types de publications (articles, livres, ac" +"tes). Le Centre de curation numérique fournit un guide détaillé s" +"ur la citation des données (lien en anglais). Notez q" +"ue certains dépôts de données créent égaleme" +"nt des liens entre les ensembles de données et les articles qui leur so" +"nt associés, augmentant ainsi la visibilité des publications.  

                                                                                  " msgid "" -"

                                                                                  How long should you keep your data? The length of time that you will keep or share your data beyond the " -"active phase of your research can be determined by external policies (e.g. fun" -"ding agencies, journal publishers), or by an understanding of the enduring (hi" -"storical) value of a given set of data. The need to publish data in the short-" -"term (i.e. for peer-verification purposes), for a longer-term access for reuse" -" (to comply with funding requirements), or for preservation through ongoing fi" -"le conversion and migration (for data of lasting historical value), will influ" -"ence the choice of data repository or archive. 

                                                                                  -\n" -"

                                                                                  If you need long-term archiving for your da" -"ta set, choose a  preservation-capable repository. Digital preservation c" -"an be costly and time-consuming, and not all data can or should be preserved. " -" 

                                                                                  " +"

                                                                                  Some strategies for sharing include:
                                                                                  <" +"/span>

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  1. Research collaboration platforms such as <" +"a href=\"https://codeocean.com/\">Code Ocean, Whole Tale, or other, will be used to create, execute, share, and publi" +"sh computational code and data;
                                                                                  2. \n" +"
                                                                                  3. GitHub, " +"GitLab or Bitbucket will be utiliz" +"ed to allow for version control;
                                                                                  4. \n" +"
                                                                                  5. A general public license (e.g., GNU/GPL or MIT) will be applied to allow others to run, s" +"tudy, share, and modify the code or software. For further information about li" +"censes see, for example, the Open So" +"urce Initiative;
                                                                                  6. \n" +"
                                                                                  7. The code or software will be archived in a" +" repository, and a DOI will be assigned to track use through citations. Provid" +"e the name of the repository;
                                                                                  8. \n" +"
                                                                                  9. A software patent will be submitted.
                                                                                  10. \n" +"
                                                                                  " +msgstr "" +"

                                                                                  Voici quelques stratégies de partage" +" :

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  1. Les plateformes de collaboration en mati&e" +"grave;re de recherche, telles que Code Ocean, W" +"hole Tale (liens en an" +"glais) ou autres, serviront à créer, exécuter, parta" +"ger et publier des codes et des données informatiques ; <" +"/li> \n" +"
                                                                                  2. GitHub, " +"GitLab ou Bitbucket serviront &agr" +"ave; la gestion des versions (liens en anglais) ;
                                                                                  3. \n" +"
                                                                                  4. Une licence publique général" +"e (par exemple, " +"GNU/GPL ou MIT; lien en anglais) sera appliquée pour permettre à d’autres d&rsqu" +"o;exécuter, d’étudier, de partager et de modifier le code " +"ou le logiciel. Pour plus d’informations sur les licences, consultez l&r" +"squo;initiative Open Source&thin" +"sp;(lien en anglais) ; " +"
                                                                                  5. \n" +"
                                                                                  6. Le code ou le logiciel sera archivé" +" dans un dépôt, et un identifiant d’objet numérique " +"sera attribué pour suivre l’utilisation au moyen de citations. In" +"diquez le nom du dépôt ;
                                                                                  7. \n" +"
                                                                                  8. Un brevet de logiciel sera dépos&ea" +"cute;.
                                                                                  9. \n" +"
                                                                                  " + +msgid "" +"

                                                                                  In cases where only selected data will be r" +"etained, indicate the reason(s) for this decision. These might include legal, " +"physical preservation issues or other requirements to keep or destroy data.&nb" +"sp;

                                                                                  \n" +"

                                                                                  There are general-purpose data repositories" +" available in Canada, such as Scholars Portal Dataverse, and the Federated Research Data Repository (" +"FRDR), which have preservation poli" +"cies in place. Many research disciplines also have dedicated repositories. Scientific Data, for example, provides a list of repositories for scientific research " +"outputs.  Some of these repositories may request or require data to be su" +"bmitted in a specific file format. You may wish to consult with a repository e" +"arly in your project, to ensure your data are generated in, or can be transfor" +"med into, an appropriate standard format for your field. Re3data.org is an international registry of research data re" +"positories that may help you identify a suitable repository for your data. The" +" Repository Finder tool h" +"osted by DataCite can help you find a repo" +"sitory listed in re3data.org. For assistance in making your dataset visible an" +"d easily accessible, contact your institution’s library or reach out to " +"the Portage DMP Coordinator at support@portagenetwork.ca

                                                                                  " msgstr "" -"

                                                                                  Combien de temps devez-vous conserver vos données ?&n" -"bsp;La durée pendant laquelle " -"vous conserverez ou partagerez vos données au-delà de la phase a" -"ctive de votre recherche peut être déterminée par des poli" -"tiques externes (par exemple, les organismes de financement, les éditeu" -"rs de revues), ou par une compréhension de la valeur durable (historiqu" -"e) d’un ensemble de données en particulier. La nécessit&ea" -"cute; de publier les données à court terme (c’est-à" -"-dire à des fins de révision par les pairs), d’y acc&eacut" -"e;der à plus long terme pour les réutiliser (pour se conformer a" -"ux exigences de financement) ou de les conserver par une conversion et une mig" -"ration continues des fichiers (pour les données ayant une valeur histor" -"ique durable) influencera le choix du dépôt ou de l’archive" -" de données. 

                                                                                  -\n" -"

                                                                                  Si vous avez besoin d’un archivage &a" -"grave; long terme pour votre ensemble de données, choisissez un d&eacut" -"e;pôt capable d’assurer la conservation. La conservation num&eacut" -"e;rique peut être coûteuse et longue ; certaines donn&eacut" -"e;es ne peuvent ou ne doivent pas être conservées.

                                                                                  " msgid "" -"

                                                                                  Consider which types of data need to be sha" -"red to meet institutional or funding requirements, and which data may be restr" -"icted because of confidentiality/privacy/intellectual property considerations." -"

                                                                                  " +"Consider the end-user license, and ownership o" +"r intellectual property rights of any secondary data or code you will use. Con" +"sider any data-sharing agreements you have signed, and repository ‘terms" +" of use’ you have agreed to. These may determine what end-user license y" +"ou can apply to your own research outputs, and may limit if and how you can re" +"distribute your research outputs. If you are working with an industry partner," +" will you have a process in place to manage that partnership, and an understan" +"ding of how the research outputs may be shared? Describe any foreseeable conce" +"rns or constraints here, if applicable." msgstr "" -"

                                                                                  Considérez quels types de donn&eacut" -"e;es doivent être partagés pour répondre aux exigences de " -"l’établissement ou de financement, et quelles données peuv" -"ent être restreintes pour des raisons de confidentialité ou de pr" -"opriété intellectuelle.

                                                                                  " +"Tenez compte de la licence d’utilisateur" +" final, de la propriété ou de la propriété intelle" +"ctuelle des données ou des codes secondaires que vous utiliserez. Tenez" +" compte des ententes de partage de données que vous avez signées" +" et des conditions d’utilisation du dépôt que vous avez acc" +"eptées. Celles-ci peuvent déterminer la licence d’utilisat" +"eur final que vous pouvez appliquer à vos propres résultats de r" +"echerche et peuvent limiter la redistribution de vos résultats de reche" +"rche et la manière de les redistribuer. Si vous travaillez avec un part" +"enaire industriel, aurez-vous mis en place un processus pour gérer ce p" +"artenariat et comprendre la manière dont les résultats de la rec" +"herche peuvent être partagés ? Indiquez ici toutes les pr&" +"eacute;occupations ou les contraintes que vous anticipez, le cas éch&ea" +"cute;ant." msgid "" -"

                                                                                  Use open licenses to promote data sharing and reuse: " -"Licenses determine what uses can be made of yo" -"ur data. Consider including a copy of your end-user license with your DMP. 

                                                                                  -\n" -"

                                                                                  As the creator of a dataset (or any other a" -"cademic or creative work) you usually hold its copyright by default. However, " -"copyright prevents other researchers from reusing and building on your work. <" -"/span>Open Data Commons licenses " -"and Creative Commons licenses are a free, simple and standardized way to grant copyright permiss" -"ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" -"cense, and allows others to copy, distribute, remix and build upon your work &" -"mdash;as long as they credit you or cite your work.

                                                                                  -\n" -"

                                                                                  Even if you choose to make your data part o" -"f the public domain (with no restrictions on reuse), it is preferable to make " -"this explicit by using a license such as Creative Common" -"s' CC0. It is strongly recommended " -"to  share your data openly using an Open Data or Creative Commons license" -". 

                                                                                  -\n" -"Learn more about data licensing at the " -"Digital Curation Centre
                                                                                  ." +"Identify who will be responsible -- individual" +"s or organizations -- for carrying out these parts of your project. Consider i" +"ncluding the time frame associated with these staff responsibilities, and docu" +"ment any training needed to prepare staff for data management duties." msgstr "" -"

                                                                                  Utilisez des licences ouvertes pour promouvoir le partage et la r&e" -"acute;utilisation des données : Les licences déterminent les utilisations qui peuvent être" -" faites de vos données. Ajoutez une copie de votre licence d’util" -"isateur final avec votre PGD.

                                                                                  -\n" -"

                                                                                   En tant que cr&eacut" -"e;ateur d’un ensemble de données (ou de toute autre œuvre u" -"niversitaire ou créative), vous en détenez général" -"ement les droits d’auteur par défaut. Cependant, le droit d&rsquo" -";auteur empêche d’autres chercheurs de réutiliser et de d&e" -"acute;velopper votre travail. Les licences Open Data Commons et les licences Creat" -"ive Commons (liens en " -"anglais) sont un moyen gratuit, simple et standardisé d’acco" -"rder des autorisations de droits d’auteur et de garantir une attribution" -" correcte (c’est-à-dire une citation). CC-BY est la licence la pl" -"us ouverte et permet à d’autres personnes de copier, distribuer, " -"réarranger et développer votre travail — à conditio" -"n qu’elles vous citent.

                                                                                  -\n" -"

                                                                                  Même si vous choisissez de faire entr" -"er vos données dans le domaine public (sans restriction de réuti" -"lisation), il est préférable de le rendre explicite en utilisant" -" une licence telle que la CC0 Creative Commons. Il est fortement recommandé d" -"e partager vos données ouvertement en utilisant une licence Open Data o" -"u Creative Commons. 

                                                                                  Po" -"ur en savoir plus sur l’octroi de licences de données, consultez " -"le site du Centre de curation numéri" -"que (lien en anglais).

                                                                                  " +"Déterminez la personne ou l’organ" +"isation qui sera responsable de ces parties du projet. Précisez le cale" +"ndrier associé à ces responsabilités du personnel, et doc" +"umentez toute formation nécessaire pour préparer le personnel au" +"x tâches de gestion des données." msgid "" -"

                                                                                  Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" -", talks, webinars, discussion boards or discipline-specific forums are good wa" -"ys to gain visibility, promote transparency and encourage data discovery and r" -"euse. 

                                                                                  -\n" -"

                                                                                  One of the best ways to refer other researc" -"hers to your deposited datasets is to cite them the same way you cite other ty" -"pes of publications. Publish your data in a repository that will assign a pers" -"istent identifier (such as a DOI) to your dataset. This will ensure a stable a" -"ccess to the dataset and make it retrievable by various discovery tools. Some " -"repositories also create links from datasets to their associated papers, incre" -"asing the visibility of the publications.

                                                                                  " +"Indicate a succession strategy for management " +"of these data if one or more people responsible for the data leaves (e.g. a gr" +"aduate student leaving after graduation). Describe the process to follow if th" +"e Principal Investigator leaves the project. In some instances, a co-investiga" +"tor or the department or division overseeing this research will assume respons" +"ibility." msgstr "" -"

                                                                                  Partage de données pour la mobilisation du savoir : L’utilisation des médias so" -"ciaux, des bulletins d’information électroniques, des tableaux d&" -"rsquo;affichage, des affiches, des conférences, des webinaires, des for" -"ums de discussion ou des forums spécifiques à une discipline son" -"t de bons moyens de gagner en visibilité, de promouvoir la transparence" -" et d’encourager la découverte et la réutilisation des don" -"nées. 

                                                                                  -\n" -"

                                                                                  L’un des meilleurs moyens de diriger " -"d’autres chercheurs vers vos ensembles de données dépos&ea" -"cute;s est de les citer de la même manière que vous citez d&rsquo" -";autres types de publications. Publiez vos données dans un dép&o" -"circ;t qui attribuera un identifiant permanent (tel qu’un DOI) à " -"votre ensemble de données. Cela garantira un accès stable &agrav" -"e; l’ensemble de données et le rendra récupérable p" -"ar divers outils de découverte. Certains dépôts cré" -"ent également des liens entre les ensembles de données et les do" -"cuments qui leur sont associés, ce qui augmente la visibilité de" -"s publications.

                                                                                  " +"Présentez votre stratégie de rel" +"ève pour la gestion de ces données si une ou plusieurs personnes" +" responsables des données quittent le projet (par exemple, un ét" +"udiant de cycle supérieur qui quitte le projet après avoir obten" +"u son diplôme). Décrivez le processus à suivre si le cherc" +"heur principal quitte le projet. Dans certains cas, un co-chercheur ou le d&ea" +"cute;partement ou la division qui supervise cette recherche pourra assumer cet" +"te responsabilité." msgid "" -"

                                                                                  Determine jurisdiction: If" -" your study is cross-institutional or international, you’ll need to dete" -"rmine which laws and policies will apply to your research.

                                                                                  -\n" -"

                                                                                  Compliance with privacy legislation and law" -"s that may impose content restrictions in the data should be discussed with yo" -"ur institution's privacy officer or research services office.

                                                                                  -\n" -"

                                                                                  If you collaborate with a partner in the Eu" -"ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                                                                                  -\n" -"

                                                                                  If you are working with data that has First" -" Nations, Métis, or Inuit ownership, for example, you will need to work" -" with protocols that ensure community privacy is respected and community harm " -"is reduced. For further guidance on Indigenous data sovereignty, see OCAP P" -"rinciples, and in a global  co" -"ntext, CARE Principles of Indigenous Data Governance.

                                                                                  " +"This estimate should incorporate data manageme" +"nt costs incurred during the project as well as those required for the longer-" +"term support for the data after the project has completed. Items to consider i" +"n the latter category of expenses include the costs of curating and providing " +"long-term access to the data. It might include technical aspects of data manag" +"ement, training requirements, file storage & backup, the computational env" +"ironment or software needed to manage, analyze or visualize research data, and" +" contributions of non-project staff. Read more about the costs of RDM and how " +"these can be addressed in advance: “What will it cost " +"to manage and share my data?”" +" by OpenAIRE. There is also an online data management costing" +" tool available to help determine the costs and staffing requirements in your " +"project proposal. " msgstr "" -"

                                                                                  Déterminez votre région : Si votre étude s’effectue dans divers établi" -"ssements ou différentes régions, vous devrez déterminer q" -"uelles lois et politiques s’appliqueront à votre recherche.

                                                                                  \n" -"

                                                                                  Le respect des lois en matière de pr" -"otection de la vie privée et des lois susceptibles d’imposer des " -"restrictions sur le contenu des données doit être discuté " -"avec le responsable de la protection de la vie privée ou le bureau des " -"services de recherche de votre établissement.

                                                                                  \n" -"

                                                                                  Si vous collaborez avec un partenaire de l&" -"rsquo;Union européenne, par exemple, vous devrez peut-être suivre" -" le R&egr" -"ave;glement général sur la protection des données (RGPD)<" -"/span>.

                                                                                  Si vous travaillez avec des données qui sont la propri&" -"eacute;té des Premières Nations, des Métis ou des Inuits," -" par exemple, vous devrez travailler avec des protocoles qui garantissent le r" -"espect de la vie privée de la communauté et la réduction " -"des dommages causés à celle-ci. Pour plus d’informations s" -"ur la souveraineté des données autochtones, consultez les principes PCAP, et dans un contexte mondial, les principes CARE sur la gouverna" -"nce autochtone des données (lien en anglais).

                                                                                  " +"Cette estimation doit comprendre les coû" +"ts de gestion des données encourus pendant le projet ainsi que ceux n&e" +"acute;cessaires pour le soutien à plus long terme des données ap" +"rès le projet. Dans cette dernière catégorie de dé" +"penses, tenez compte, notamment des coûts de conservation et d’acc" +"ès à long terme aux données. Il peut s’agir des asp" +"ects techniques de la gestion des données, des besoins de formation, du" +" stockage et de la sauvegarde des fichiers, de l’environnement informati" +"que ou des logiciels nécessaires pour gérer, analyser ou visuali" +"ser les données de recherche, et des contributions du personnel en deho" +"rs du projet. Pour en savoir plus sur les coûts de la GDR et sur la mani" +"ère de les prendre en charge à l’avance, consultez le site" +" Combien la gestion et le partage de mes données co&u" +"circ;teront-ils ? d’Op" +"enAIRE (lien en anglais). Il existe également un outil de calcul du coût de la gestion de données<" +"/a> (lien en anglais) en lig" +"ne pour vous aider à déterminer les coûts et les besoins e" +"n personnel liés à votre proposition de projet. " msgid "" -"

                                                                                  Get informed consent before you collect data: Obtaining the appropriate consent from research parti" -"cipants is an important step in assuring Research Ethics Boards that the data " -"may be shared with researchers outside your project. Your informed consent sta" -"tement may identify certain conditions clarifying the uses of the data by othe" -"r researchers. For example, your statement may stipulate that the data will ei" -"ther only be shared for non-profit research purposes (you can use CC-by-NC &md" -"ash; the non-commercial Creative Commons licence with attribution) or that the" -" data will not be linked with other personally-identifying data. Note that thi" -"s aspect is not covered by an open license. You can learn more about data secu" -"rity at the UK Data Service.

                                                                                  -\n" -"

                                                                                  Inform your study participants if you inten" -"d to publish an anonymized and de-identified version of collected data, and th" -"at by participating, they agree to these terms. For sample language for inform" -"ed consent: ICPSR R" -"ecommended Informed Consent Language for Data Sharing.

                                                                                  -\n" -"

                                                                                  You may need to consider strategies to ensu" -"re the ethical reuse of your published dataset by new researchers. These strat" -"egies may affect your selection of a suitable license, and in some cases you m" -"ay not be able to use an open license.

                                                                                  " +"

                                                                                  Assign responsibilities: O" +"nce completed, your data management plan will outline important data activitie" +"s in your project. Identify who will be responsible -- individuals or organiza" +"tions -- for carrying out these parts of your data management plan. This could" +" also include the time frame associated with these staff responsibilities and " +"any training needed to prepare staff for these duties.

                                                                                  " msgstr "" -"

                                                                                  Obtenez un consentement éclairé avant la collecte de " -"données : L’obtenti" -"on du consentement approprié des participants à la recherche est" -" une étape importante pour rassurer les comités d’é" -"thique de la recherche que les données puissent être partag&eacut" -"e;es avec des chercheurs en dehors de votre projet. Votre déclaration d" -"e consentement éclairé peut préciser certaines conditions" -" clarifiant les utilisations des données par d’autres chercheurs." -" Par exemple, votre déclaration peut stipuler que les données ne" -" seront partagées qu’à des fins de recherche non lucrative" -"s (vous pouvez utiliser CC-by-NC — la licence Creative Commons non comme" -"rciale avec attribution) ou que les données ne seront pas liées " -"à d’autres données permettant d’identifier des perso" -"nnes. Notez que cet aspect n’est pas couvert par une licence ouverte. Vo" -"us pouvez en savoir plus sur la sécurité des données en c" -"onsultant le site du Service des données du R" -"oyaume-Uni (lien en anglais).

                                                                                  -\n" -"

                                                                                  Informez les participants à votre &e" -"acute;tude si vous avez l’intention de publier une version anonymis&eacu" -"te;e et dépersonnalisée des données collectées, et" -" qu’en participant, ils acceptent les présentes conditions. Pour " -"voir des exemples de libellé pour le consentement éclairé" -", consultez la ressource suivante : Formulation recommandée de l’ICPSR pour le " -"consentement éclairé au partage des données (<" -"em>lien en anglais).

                                                                                  -\n" -"

                                                                                  Vous devrez peut-être envisager des s" -"tratégies pour garantir la réutilisation éthique de votre" -" ensemble de données publiées par d’autres chercheurs. Ces" -" stratégies peuvent influencer votre choix d’une licence appropri" -"ée ; dans certains cas, vous ne pourrez pas utiliser une licence" -" ouverte.

                                                                                  " +"

                                                                                  Attribution des responsabilités : Une fois terminé, votre plan de gestion des donn&ea" +"cute;es décrira les activités importantes de votre projet. D&eac" +"ute;signez les personnes ou les organisations qui seront responsables de la r&" +"eacute;alisation de ces parties de votre plan de gestion des données. C" +"ette étape peut également inclure le calendrier associé &" +"agrave; ces responsabilités du personnel et toute formation néce" +"ssaire pour préparer le personnel à ces tâches.

                                                                                  " msgid "" -"

                                                                                  Privacy protection: O" -"pen science workflows prioritize being “as open as possible and as close" -"d as necessary.” Think about any privacy concerns you may have in regard" -"s to your data, or other restrictions on access outlined in your ethics protoc" -"ol. If your institution or funder regulates legal or ethical guidelines on wha" -"t information must be protected, take a moment to verify you have complied wit" -"h the terms for consent of sharing data. In the absence of local support for a" -"nonymization or de-identification of data, you can reach out to the Portage DM" -"P Coordinator at support@portagenet" -"work.ca.  

                                                                                  " +"

                                                                                  Succession planning: The P" +"I is usually in charge of maintaining data accessibility standards for the tea" +"m. Consider who will field questions about accessing information or granting a" +"ccess to the data in  the event the PI leaves the project. Usually the Co" +"-PI takes over the responsibilities.

                                                                                  \n" +"

                                                                                  Indicate a succession strategy for these da" +"ta in the event that one or more people responsible for the data leaves (e.g. " +"a graduate student leaving after graduation). Describe the process to be follo" +"wed in the event that the Principal Investigator leaves the project. In some i" +"nstances, a co-investigator or the department or division overseeing this rese" +"arch will assume responsibility.

                                                                                  " msgstr "" -"

                                                                                  Protection de la confidentialité : Les flux de travail scientifiques ouverts préconis" -"ent d’avoir des données « aussi ouvertes que possibl" -"e et aussi restreintes que nécessaire ». Songez à v" -"os réserves en matière de confidentialité de vos donn&eac" -"ute;es ou à d’autres restrictions d’accès déc" -"rites dans votre protocole d’éthique. Si votre établisseme" -"nt ou votre bailleur de fonds régit des directives légales ou &e" -"acute;thiques sur les informations qui doivent être protégé" -";es, prenez un moment pour vérifier si vous avez respecté les co" -"nditions de consentement au partage des données. En l’absence de " -"soutien local pour l’anonymisation ou la dépersonnalisation des d" -"onnées, vous pouvez communiquer avec le coordonnateur de la GPD de Port" -"age à l’adresse suivante : support@portagenetwork.ca.  

                                                                                  " +"

                                                                                  Planification de la relève : Le chercheur principal est généralement chargé " +"de maintenir les normes d’accessibilité des données pour l" +"’équipe. Réfléchissez à la personne qui r&ea" +"cute;pondra aux questions concernant l’accès à l’inf" +"ormation ou l’autorisation d’accès aux données dans " +"le cas où le chercheur principal quitterait le projet. Habituellement, " +"le co-chercheur principal prend en charge ces responsabilités. \n" +"

                                                                                  Précisez une stratégie de rel" +"ève pour ces données si des personnes responsables des donn&eacu" +"te;es quittent le projet (par exemple, un étudiant de cycle supé" +"rieur qui quitte le projet après avoir obtenu son diplôme). D&eac" +"ute;crivez le processus à suivre dans le cas où le chercheur pri" +"ncipal quitte le projet. Dans certains cas, un co-chercheur ou le dépar" +"tement ou la division qui supervise cette recherche en assumera la responsabil" +"ité.

                                                                                  " msgid "" -"

                                                                                  Please explain, in particular:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • What type of neuroimaging modalities will be used to acquire data in this " -"study? Ex: MRI, EEG.
                                                                                  • -\n" -"
                                                                                  • What other types of data will be acquired in this study? Ex: behavioural, " -"biological sample.
                                                                                  • -\n" -"
                                                                                  • Approximately how many participants does the study plan to acquire images " -"from?
                                                                                  • -\n" -"
                                                                                  " +"Budgeting: Common purchases a" +"re hard drives, cloud storage or software access. TU Delft&" +"rsquo;s Data Management Costing Tool is helpful to determine the share of human labor (FTE) that should be alloca" +"ted for research data management." msgstr "" -"Veuillez expliquer :
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Quel type de modalités de neuro-imagerie sera utilisé pour a" -"cquérir des données dans cette étude ? Ex. : IRM, " -"EEG.
                                                                                  • -\n" -"
                                                                                  • Quels autres types de données acquériez-vous dans le cadre d" -"e cette étude ? Ex. : données comportementales, éc" -"hantillons biologiques.
                                                                                  • -\n" -"
                                                                                  • Auprès de combien de participants environ acquériez-vous des" -" images pour l’étude ?
                                                                                  • -\n" -"
                                                                                  " +"Budgétisation : Les achats les plus courants sont les " +"disques durs, le stockage infonuagique ou l’accès aux logiciels. " +"L’outil de cal" +"cul des coûts de gestion des données de l’Université" +" de technologie de Delft est utile pour déterminer la part de trava" +"il humain (ÉTP) qui doit être allouée à la gestion " +"des données de recherche (lien en anglais)." msgid "" -"For fellow researchers, a write-up of your met" -"hods is indispensable for supporting the reproducibility of a study. In prepar" -"ation for publishing, consider creating an online document or folder (e.g. ope" -"nneuro, github, zenodo, osf) where your project methods can be gathered/prepar" -"ed. If appropriate, provide a link to that space here." +"

                                                                                  Data types: Your rese" +"arch data may include digital resources, software code, audio files, image fil" +"es, video, numeric, text, tabular data, modeling data, spatial data, instrumen" +"tation data.

                                                                                  " msgstr "" -"Une description de vos méthodes est ind" -"ispensable pour que vos collègues chercheurs puissent reproduire votre " -"étude. En vue de la publication, pensez à créer un docume" -"nt ou un dossier en ligne (par exemple, openneuro, github, zenodo, osf) o&ugra" -"ve; les méthodes de votre projet peuvent être rassemblées " -"ou préparées. Le cas échéant, fournissez un lien v" -"ers cet espace ici." +"

                                                                                  Types de données : " +"Vos données de recherche peuvent comprendre des ressources numér" +"iques, des codes logiciels, des fichiers audio, des fichiers images, des donn&" +"eacute;es vidéo, numériques, textuelles, tabulaires, des donn&ea" +"cute;es de modélisation, des données spatiales et des donn&eacut" +"e;es d’instrumentation.

                                                                                  " msgid "" -"Planning how research data will be stored and " -"backed up throughout and beyond a research project is critical in ensuring dat" -"a security and integrity. Appropriate storage and backup not only helps protec" -"t research data from catastrophic losses (due to hardware and software failure" -"s, viruses, hackers, natural disasters, human error, etc.), but also facilitat" -"es appropriate access by current and future researchers. You may need to encry" -"pt your data to ensure it is not accessible by those outside the project. For " -"more information, see the University of Waterloo’s Guideline for researchers on securing research participants'" -" data.

                                                                                  Please provide URL(s) to any data storage sites. If your" -" data are subject to strict rules governing human subjects and anonymity, then" -" you may need an on-premise solution installed on your institution’s ser" -"ver.
                                                                                  " +"Proprietary file formats requiring specialized" +" software or hardware to use are not recommended, but may be necessary for cer" +"tain data collection or analysis methods. Using open file formats or industry-" +"standard formats (e.g. those widely used by a given community) is preferred wh" +"enever possible. Read more about file formats: Library and Archives Canada,
                                                                                    UBC Library" +" or UK Data Arc" +"hive. " +msgstr "" +"Les formats de fichiers propriétaires n" +"écessitant l’utilisation de logiciels ou de matériel sp&ea" +"cute;cialisés ne sont pas recommandés, mais peuvent être n" +"écessaires pour certaines méthodes de collecte ou d’analys" +"e des données. L’utilisation de formats de fichiers ouverts ou de" +" formats standard (par exemple, ceux largement utilisés par une communa" +"uté donnée) est préférable dans la mesure du possi" +"ble. Pour en savoir plus sur les formats de fichiers, consultez les sites suiv" +"ants : Bibliothèque et Archives Canada, Bibliothèque de l&rsqu" +"o;Université de la C.-B. (lien en anglais) ou Archive de donn" +"ées du Royaume-Uni (lien" +" en anglais). " + +msgid "" +"File naming and versioning: It is important to keep track of " +"different copies or versions of files, files held in different formats or loca" +"tions, and information cross-referenced between files. This process is called " +"'version control'. Logical file structures, informative naming conventions, an" +"d clear indications of file versions, all contribute to better use of your dat" +"a during and after your research project. These practices will help ensure tha" +"t you and your research team are using the appropriate version of your data, a" +"nd minimize confusion regarding copies on different computers and/or on differ" +"ent media. Read more about file naming and version control from UBC Library or th" +"e UK Data Service.

                                                                                  Remember that this workflow can be adapted, a" +"nd the DMP updated throughout the project.

                                                                                  Using a file naming convention worksheet can be very useful. Make sure the conv" +"ention only uses alphanumeric characters, dashes and underscores. In general, " +"file names should be 32 characters or less and contain the date and the versio" +"n number (e.g.: “P1-MUS023_2020-02-29_051_raw.tif” and “P1-M" +"US023_2020-02-29_051_clean_v1.tif”).

                                                                                  Document workfl" +"ows: Have you thought about how you will capture, save and share your" +" workflow and project milestones with your team? You can create an onboarding " +"document to ensure that all team members adopt the same workflows or use workf" +"low management tools like OSF or GitHub." msgstr "" -"La planification de votre méthode de st" -"ockage et de sauvegarde des données de recherche pendant et aprè" -"s un projet de recherche est essentielle pour garantir la sécurit&eacut" -"e; et l’intégrité des données. Un stockage et une s" -"auvegarde appropriés permettent non seulement de protéger les do" -"nnées de recherche contre les pertes catastrophiques (dues à des" -" défaillances matérielles et logicielles, des virus, des pirates" -", des catastrophes naturelles, des erreurs humaines, etc.), mais facilitent &e" -"acute;galement un accès convenable pour les chercheurs actuels et futur" -"s. Vous devrez peut-être crypter vos données pour vous assurer qu" -"’elles ne sont pas accessibles à des personnes en dehors du proje" -"t. Pour plus d’informations, consultez les lignes directrices à l’intention des chercheurs sur la " -"sécurisation des données des participants à la recherche<" -"/span> de l’Université de Wat" -"erloo (lien en anglais).

                                                                                  Veuillez fournir l’URL de tous les sites de stockage de d" -"onnées. Si vos données sont soumises à des règles " -"strictes concernant les êtres humains et l’anonymat, vous pouvez a" -"voir besoin d’une solution sur place installée sur le serveur de " -"votre établissement.
                                                                                  " +"Nomenclature et version de fichier : Il est important de gard" +"er une trace des différentes copies ou versions de fichiers, des fichie" +"rs sauvegardés en différents formats ou à des endroits di" +"fférents, et des informations croisées entre les fichiers. Ce pr" +"ocessus s’appelle la « gestion de versions ». " +"Les structures de fichiers logiques, les conventions de nomenclature informati" +"ves et les indications claires sur les versions des fichiers contribuent &agra" +"ve; une meilleure utilisation de vos données pendant et après vo" +"tre projet de recherche. Ces pratiques permettront de s’assurer que vous" +" et votre équipe de recherche utilisez la version appropriée de " +"vos données, et de minimiser la confusion concernant les copies sur dif" +"férents ordinateurs ou sur différents supports. Pour en savoir p" +"lus sur la nomenclature et la gestion des versions de fichier, consultez le si" +"te de la " +"Bibliothèque de l’Université de la C.-B. ou celui de l" +"’Archi" +"ve de données du Royaume-Uni (liens en anglais).<" +"br />
                                                                                  N’oubliez pas que vous pouvez adapter ce flux de travail et m" +"ettre le PGD à jour tout au long du projet.

                                                                                  L’utilisat" +"ion d’une feuille de travail pour la convention de no" +"menclature peut être très utile (lien en anglais" +"). Assurez-vous que la convention n’utilise que des caractèr" +"es alphanumériques, des tirets et des traits de soulignement. En g&eacu" +"te;néral, les noms de fichiers doivent comporter 32 caractères o" +"u moins et contenir la date et le numéro de version (par exemple : &ldq" +"uo;P1-MUS023_2020-02-29_051_raw.tif” and “P1-MUS023_2020-02-29_051" +"_clean_v1.tif”)

                                                                                  Flux de travail pour les documents :" +" Avez-vous réfléchi à la manière dont vou" +"s allez saisir, sauvegarder et partager avec votre équipe les ét" +"apes de votre travail et de vos projets ? Vous pouvez créer un d" +"ocument d’intégration pour vous assurer que tous les membres de l" +"’équipe adoptent les mêmes flux de travail ou utiliser des " +"outils de gestion des flux de travail comme OSF " +"ou GitHub (liens en anglais)." msgid "" -"Choices about data preservation will depend on" -" the potential for reuse and long-term significance of the data, as well as wh" -"ether you have obligations to funders or collaborators to either retain or des" -"troy data, and what resources will be required to ensure it remains usable in " -"the future. The need to preserve data in the short-term (i.e. for peer-verific" -"ation purposes) or long-term (for data of lasting value) will influence the ch" -"oice of data repository or archive. Tools such as DataCite's reposit" -"ory finder tool and re3data.org<" -"/a> are useful for finding an appropriate repo" -"sitory for your data. " +"

                                                                                  Data documentation: I" +"t is strongly encouraged to include a ReadMe file with all datasets (or simila" +"r) to assist in understanding data collection and processing methods, naming c" +"onventions and file structure.

                                                                                  \n" +"Typically, good data documentation includes in" +"formation about the study, data-level descriptions, and any other contextual i" +"nformation required to make the data usable by other researchers. Other elemen" +"ts you should document, as applicable, include: research methodology used, var" +"iable definitions, vocabularies, classification systems, units of measurement," +" assumptions made, format and file type of the data, a description of the data" +" capture and collection methods, explanation of data coding and analysis perfo" +"rmed (including syntax files). View a useful template from Cornell University&" +"rsquo;s
                                                                                  “Guide to writing ‘ReadMe’ style" +" metadata”." msgstr "" -"Les choix en matière de conservation de" -"s données dépendront du potentiel de réutilisation et de " -"l’importance à long terme des données, votre obligation en" -"vers les bailleurs de fonds ou les collaborateurs de conserver ou de dé" -"truire les données ainsi que les ressources nécessaires pour gar" -"antir qu’elles restent utilisables à l’avenir. Le besoin de" -" conserver les données à court terme (c’est-à-dire " -"à des fins de vérification par les pairs) ou à long terme" -" (pour les données ayant une valeur durable) influencera le choix du d&" -"eacute;pôt ou de l’archive de données. Des outils tels que " -"l’outil de recherche de dépôt de DataCite<" -"/a> et re3data.org (liens en anglais) sont utiles pour trouver un dép" -"ôt approprié pour vos données. " +"

                                                                                  Documentation des données : Il est fortement recommandé d’inclure un fichier RE" +"ADME avec tous les ensembles de données (ou élément sembl" +"able) pour aider à comprendre les méthodes de collecte et de tra" +"itement des données, les conventions de nomenclature et la structure de" +"s fichiers.

                                                                                  \n" +"

                                                                                  En règle générale, une" +" bonne documentation des données comprend des informations sur l’" +"étude, des descriptions des données et toute autre information c" +"ontextuelle nécessaire pour rendre les données utilisables par d" +"’autres chercheurs. Voici d’autres éléments que vous" +" devez documenter, le cas échéant : la méthodologie de re" +"cherche utilisée, les définitions des variables, les vocabulaire" +"s, les systèmes de classification, les unités de mesure, les hyp" +"othèses formulées, le format et le type de fichier des donn&eacu" +"te;es, une description des méthodes de saisie et de collecte des donn&e" +"acute;es, une explication du codage et de l’analyse des données (" +"y compris les fichiers de syntaxe). Vous pouvez consulter le Guide rapide" +" de créer un fichier README pour vos ensembles de données" +" de l’Université de la C.-B. " +"pour plus d’informations.<" +"/p>" msgid "" -"Most Canadian research funding agencies now ha" -"ve policies recommending or requiring research data to be shared upon publicat" -"ion of the research results or within a reasonable period of time. While data " -"sharing contributes to the visibility and impact of research, it has to be bal" -"anced with the legitimate desire of researchers to maximise their research out" -"puts before releasing their data. Equally important is the need to protect the" -" privacy of respondents and to properly handle sensitive data. What you can share, and with whom, may depend on what " -"type of consent is obtained from study participants. In a case where some (or " -"all) or the data analyzed was previously acquired (by your research team or by" -" others), what you can share for this current study may also be dependent on t" -"he terms under which the original data were provided, and any restrictions tha" -"t were placed on that data originally. Provide a copy of your consent forms an" -"d licensing terms for any secondary data, if available." +"

                                                                                  Assign responsibilities for documentation: Individual roles and workflows should include gathering " +"data documentation as a key element.

                                                                                  \n" +"

                                                                                  Establishing responsibilities for data mana" +"gement and documentation is useful if you do it early on,  ideally in adv" +"ance of data collection and analysis, Some researchers use CRediT taxonomy to determine authorship roles at the beg" +"inning of each project. They can also be used to make team members responsible" +" for proper data management and documentation.

                                                                                  \n" +"

                                                                                  Consider how you will capture this informat" +"ion and where it will be recorded, to ensure accuracy, consistency, and comple" +"teness of the documentation.

                                                                                  " msgstr "" -"La plupart des organismes canadiens de finance" -"ment de la recherche ont maintenant des politiques recommandant ou exigeant qu" -"e les données de recherche soient partagées dès la public" -"ation des résultats de la recherche ou dans un délai raisonnable" -". Si le partage des données contribue à la visibilité et " -"à l’impact de la recherche, il doit être équilibr&ea" -"cute; avec le désir légitime des chercheurs de maximiser les r&e" -"acute;sultats de leurs recherches avant de publier leurs données. Il es" -"t tout aussi important de protéger la confidentialité des r&eacu" -"te;pondants et de traiter correctement les données sensibles. Le mat&ea" -"cute;riel que vous pouvez partager et les entités avec lesquels vous po" -"uvez les partager dépendent du type de consentement obtenu des particip" -"ants à l’étude. Si des données analysées ont" -" été acquises précédemment (par votre équip" -"e de recherche ou par d’autres), ce que vous pouvez partager pour cette " -"étude en cours peut également dépendre des conditions dan" -"s lesquelles les données originales ont été fournies et d" -"es contraintes qui ont été imposées à ces donn&eac" -"ute;es à l’origine. Veuillez fournir une copie de vos formulaires" -" de consentement et des conditions de licence pour toutes les données s" -"econdaires, si elles sont disponibles." +"

                                                                                  Attribution des responsabilités quant à la documentat" +"ion : Les rôles individuel" +"s et les flux de travail devraient inclure la collecte de la documentation des" +" données comme élément clé.

                                                                                  Il est uti" +"le d’établir les responsabilités en matière de gest" +"ion des données et de documentation dès le début projet, " +"idéalement avant la collecte et l’analyse des données. Cer" +"tains chercheurs utilisent la
                                                                                  taxonomie de CRediT pour déterminer les rôles des auteurs au débu" +"t de chaque projet (lien en anglais). Ils peuvent éga" +"lement être utilisés pour rendre les membres de l’éq" +"uipe responsables de la gestion appropriée des données et de la " +"documentation.

                                                                                  \n" +"

                                                                                  Songez à la manière dont vous" +" allez saisir ces informations et à l’endroit où elles ser" +"ont enregistrées, afin de garantir l’exactitude, la cohére" +"nce et l’intégralité de la documentation.

                                                                                  " msgid "" -"Data management focuses on the 'what' and 'how" -"' of operationally supporting data across the research lifecycle. Data steward" -"ship focuses on 'who' is responsible for ensuring that data management happens" -". A large project, for example, will involve multiple data stewards. The Princ" -"ipal Investigator should identify at the beginning of a project all of the peo" -"ple who will have responsibilities for data management tasks during and after " -"the project." +"

                                                                                  Metadata for datasets: DataCite has developed a metadata schema specifically for open datasets. It lists a set of core" +" metadata fields and instructions to make datasets easily identifiable and cit" +"able. 

                                                                                  \n" +"There are many other general and domain-specif" +"ic metadata standards.  Dataset documentation should be provided in one o" +"f these standard, machine readable, openly-accessible formats to enable the ef" +"fective exchange of information between users and systems.  These standar" +"ds are often based on language-independent data formats such as XML, RDF, and " +"JSON. There are many metadata standards based on these formats, including disc" +"ipline-specific standards. Read more about metadata standards at the UK Digital Curation Centre's Disciplinary Metadata resource." msgstr "" -"La gestion des données est centré" -";e sur la nature et la méthode du soutien opératoire des donn&ea" -"cute;es tout au long du cycle de vie de la recherche. L’intendance des d" -"onnées se concentre sur la personne ou le groupe responsable de la gest" -"ion des données. Un projet de grande envergure, par exemple, fera inter" -"venir plusieurs gestionnaires de données. Le chercheur principal doit d" -"ésigner au début du projet toutes les personnes qui seront respo" -"nsables des tâches de gestion des données pendant et après" -" le projet." +"

                                                                                  Métadonnées pour les ensembles de données :&nb" +"sp;DataCite a développé" +" un schéma de métadonnées pour les ensembles de données ouverts (" +"lien en anglais). Il énumère un ensemble de champs" +" de métadonnées de base et d’instructions pour rendre les " +"ensembles de données facilement identifiables et citables. 
                                                                                  <" +"br />Il existe de nombreuses autres nor" +"mes de métadonnées générales et spécifiques" +" à un domaine. La documentation sur les ensembles de données doi" +"t être fournie dans l’un de ces formats standard, lisible par mach" +"ine et librement accessible, afin de permettre un échange efficace d&rs" +"quo;informations entre les utilisateurs et les systèmes. Ces normes son" +"t souvent basées sur des formats de données indépendants " +"du langage, tels que XML, RDF et JSON. De nombreuses normes de métadonn" +"ées sont fondées sur ces formats, y compris des normes spé" +";cifiques à une discipline. Pour en savoir plus sur les normes de m&eac" +"ute;tadonnées, consultez la ressource sur les m&ea" +"cute;tadonnées par disciplines du Centre de curation numérique d" +"u Royaume-Uni (lien en anglais
                                                                                  ).

                                                                                  " msgid "" -"This estimate should incorporate data manageme" -"nt costs expected during the project as well as those required for the longer-" -"term support for the data after the project is finished. Items to consider in " -"the latter category of expenses include the costs of curating and providing lo" -"ng-term access to the data. Some funding agencies state explicitly that they w" -"ill provide support to meet the cost of preparing data for deposit. This might" -" include technical aspects of data management, training requirements, file sto" -"rage & backup, and contributions of non-project staff. OpenAIRE has developed a tool to help researchers estimate" -" costs associated with data management. Access this tool " -"here." +"

                                                                                  Document your process: It is useful to consult regularly with members of the research team to captu" +"re potential changes in data collection/processing that need to be reflected i" +"n the documentation.

                                                                                  " msgstr "" -"Cette estimation doit intégrer les co&u" -"circ;ts de gestion des données prévus pendant le projet ainsi qu" -"e ceux nécessaires pour le soutien à plus long terme des donn&ea" -"cute;es après la fin du projet. Parmi les éléments &agrav" -"e; prendre en compte dans cette dernière catégorie de dép" -"enses, il y a les coûts de conservation et d’accès à" -" long terme aux données. Certains organismes subventionnaires dé" -"clarent explicitement qu’ils fourniront une aide pour couvrir le co&ucir" -"c;t de la préparation des données en vue de leur dép&ocir" -"c;t. Cette aide peut inclure les aspects techniques de la gestion des donn&eac" -"ute;es, les besoins de formation, le stockage et la sauvegarde des fichiers, e" -"t les contributions du personnel non affecté au projet. OpenAIRE a d&ea" -"cute;veloppé un outil pour aider les chercheurs à estimer les co" -"ûts associés à la gestion des données. Cliquez ici pour avoir acc" -"ès à cet outil (lien en anglais)." +"

                                                                                  Documentez votre processus : Il est utile de consulter régulièrement les membres de l" +"’équipe de recherche afin de saisir les changements potentiels da" +"ns la collecte et le traitement des données qui doivent être refl" +"étés dans la documentation. 

                                                                                  " msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                                  Researchers must follow the policies and gu" -"idance of the research ethics board governing their institutions. There may be" -" important differences across institutions. The Public Health Agency of Canada" -" (PHAC) is responsible for setting standards and coordinating REBs across Cana" -"da. They provide 10 best practices for ensuring privacy of human participants:

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Determining the research objectives and ju" -"stifying the data needed to fulfill these objectives
                                                                                  • -\n" -"
                                                                                  • Limiting the collection of personal data
                                                                                  • -\n" -"
                                                                                  • Determining if consent from individuals is" -" required
                                                                                  • -\n" -"
                                                                                  • Managing and documenting consent -\n" -"
                                                                                  • Informing prospective research participant" -"s about the research
                                                                                  • -\n" -"
                                                                                  • Recruiting prospective research participan" -"ts
                                                                                  • -\n" -"
                                                                                  • Safeguarding personal data
                                                                                  • -\n" -"
                                                                                  • Controlling access and disclosure of perso" -"nal data
                                                                                  • -\n" -"
                                                                                  • Setting reasonable limits on retention of " -"personal data
                                                                                  • -\n" -"
                                                                                  • Ensuring accountability and transparency i" -"n the management of personal data
                                                                                  • -\n" -"
                                                                                  -\n" -"


                                                                                  In the context of neuroimaging resear" -"ch, “the potential identifiability of otherwise anonymous image files is" -" of great concern to those in the field who are anxious to encourage electroni" -"c data sharing” (Kulynych, 2002). Please consult your REB for recommendations on how to pr" -"epare ethics protocols.

                                                                                  " +"

                                                                                  Estimating data storage needs: Storage-space estimates should take into account requirements for fi" +"le versioning, backups, and growth over time. 

                                                                                  \n" +"

                                                                                  If you are collecting data over a long peri" +"od (e.g. several months or years), your data storage and backup strategy shoul" +"d accommodate data growth. Include your back-up storage media in your estimate" +".

                                                                                  " msgstr "" -"

                                                                                  Les chercheurs doivent suivre les politique" -"s et les directives du comité d’éthique de la recherche (C" -"ÉR) qui régit leur établissement. Il peut y avoir des dif" -"férences considérables d’un établissement à " -"l’autre. L’Agence de la santé publique du Canada (ASPC) est" -" chargée d’établir des normes et de coordonner les C&Eacut" -"e;R dans tout le Canada. Elle propose ainsi 10 pratiques exemplaires pour garantir la protection de la co" -"nfidentialité des participants humains à la recherche :\n" -"

                                                                                    \n" -"
                                                                                  • D" -"éterminer les objectifs de la recherche et justifier les données" -" nécessaires pour atteindre ces objectifs
                                                                                  • \n" -"
                                                                                  • L" -"imiter la collecte de données personnelles
                                                                                  • \n" -"
                                                                                  • D" -"éterminer si le consentement des personnes est requis
                                                                                  • \n" -"
                                                                                  • G" -"érer et documenter le consentement
                                                                                  • \n" -"
                                                                                  • E" -"xpliquer aux participants potentiels à la recherche les objectifs de la" -" recherche
                                                                                  • \n" -"
                                                                                  • R" -"ecruter des participants potentiels à la recherche
                                                                                  • \n" -"
                                                                                  • P" -"rotéger des données personnelles
                                                                                  • \n" -"
                                                                                  • C" -"ontrôler l’accès et la divulgation des données personnelles
                                                                                  • " -"\n" -"
                                                                                  • F" -"ixer des limites raisonnables à la rétention des données " -"personnelles
                                                                                  • \n" -"
                                                                                  • G" -"arantir la responsabilité et la transparence dans la gestion des donn&e" -"acute;es personnelles
                                                                                  • \n" -"
                                                                                  \n" -"

                                                                                  Dans le contexte de la recherche en neuro-i" -"magerie, « la possibilité d’identification de fichie" -"rs d’images autrement anonymes est une grande préoccupation pour " -"les intervenants dans ce domaine qui s’inquiètent d’encoura" -"ger le partage électronique des données » (<" -"a href=\"https://doi.org/10.1016/S0278-2626(02)00518-3\">Kulynych, 2002; lien en anglais). Veuillez consulter votre CÉR pour obtenir des recomman" -"dations sur la manière de préparer des protocoles déontol" -"ogiques.

                                                                                  " +"

                                                                                  Estimation des besoins de stockage de données : Les estimations de l’espace de stockag" +"e doivent tenir compte des besoins en matière de versions de fichier, d" +"e sauvegardes et de croissance dans le temps. 

                                                                                  \n" +"

                                                                                  Si vous collectez des données sur un" +"e longue période (par exemple plusieurs mois ou années), votre s" +"tratégie de stockage et de sauvegarde des données doit tenir com" +"pte de la croissance des données. Précisez vos supports de stock" +"age de sauvegarde dans votre estimation.

                                                                                  " msgid "" -"State how you will prepare, store, share, and " -"archive the data in a way that ensures participant information is protected, t" -"hroughout the research lifecycle, from disclosure, harmful use, or inappropria" -"te linkages with other personal data. This may mean avoiding cloud storage ser" -"vices, placing data on computers with no access to the internet, or encrypting" -" data that will be shared during the research project. For more information, s" -"ee the Harvard Catalyst guidance about cloud storage." +"

                                                                                  Follow the 3-2-1 rule to prevent data loss: It&rsquo" +";s important to have a regular backup schedule — and to document that pr" +"ocess — so that you can review any changes to the data at any point duri" +"ng the project. The risk of losing data due to human error, natural disasters," +" or other mishaps can be mitigated by following the 3-2-1 backup rule: Have at" +" least three copies of your data; store the copies on two different media; kee" +"p one backup copy offsite. Read more about storage and backup practices  " +"from the University of Sheffield Library and the UK Data Service.

                                                                                  " msgstr "" -"Indiquez comment vous allez préparer, s" -"tocker, partager et archiver les données de manière à gar" -"antir que les informations sur les participants sont protégées t" -"out au long du cycle de vie de la recherche contre la divulgation, l’uti" -"lisation préjudiciable ou les liens inappropriés avec d’au" -"tres données personnelles. Il peut s’agir d’éviter l" -"es services de stockage infonuagique, de stocker les données sur des or" -"dinateurs n’ayant pas accès à l’internet ou de crypt" -"er les données qui seront partagées pendant le projet de recherc" -"he. Pour plus d’informations, consultez le guide de H" -"arvard Catalyst sur le stockage dans le nuage.
                                                                                  " +"

                                                                                  Suivez la règle 3-2-1 pour éviter les pertes de donn&" +"eacute;es : Il est important d&r" +"squo;avoir un calendrier de sauvegarde régulier — et de documente" +"r ce processus — afin de pouvoir examiner toute modification des donn&ea" +"cute;es à tout moment au cours du projet. Vous pouvez réduire se" +"nsiblement le risque de perdre des données à la suite d’un" +"e erreur humaine, d’une catastrophe naturelle ou d’un autre incide" +"nt en suivant la règle de sauvegarde 3-2-1 : ayez au moins tr" +"ois copies de vos données ; stockez les copies sur deux supports" +" différents ; conservez une copie de sauvegarde hors site. Pour " +"en savoir plus sur les pratiques de stockage et de sauvegarde, consultez le si" +"te de la bibliothèque de l’Université d" +"e Sheffield et celui du Service des données du Royaume-Uni (liens" +" en anglais).

                                                                                  " msgid "" -"Please explain" -", in particular:
                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • W" -"hat is the make and model of the neuroimaging system? Ex: Siemens Prisma 3T.&n" -"bsp;
                                                                                  • -\n" -"
                                                                                  • C" -"an you describe the image acquisition paradigm and parameters being used in th" -"e study? Ex. MRI T1w MPRAGE. 
                                                                                  • -\n" -"
                                                                                  • W" -"hat is the total duration of the scanning sequence? Ex. 40 minutes. -\n" -"
                                                                                  • W" -"hat file formats will your neuroimaging data be acquired in?
                                                                                  • -\n" -"
                                                                                      -\n" -"
                                                                                    • P" -"roprietary file formats requiring specialized software or hardware to use are " -"not recommended for preservation, but may be necessary for certain data collec" -"tion or analysis methods. Use open file formats where possible, or at least in" -"dustry-standard formats such as dicom, NIFTI, European data format (.edf), or " -"the BrainVision data format (.eeg/.vhdr/.vmrk). Read more about file formats: " -"UBC Library or UK Data Archive.
                                                                                    • -\n" -"
                                                                                    -\n" -"
                                                                                  • W" -"ill the data be converted into other formats? Ex. NIFTI, BIDS, Minc. -\n" -"
                                                                                  • D" -"oes the study incorporate any data acquired externally? 
                                                                                  • -\n" -"
                                                                                      -\n" -"
                                                                                    • N" -"o. New data acquisition only.
                                                                                    • -\n" -"
                                                                                    • N" -"ew data plus retrospective data from the same PI.
                                                                                    • -\n" -"
                                                                                    • N" -"ew data plus retrospective data from multiple sources.
                                                                                    • -\n" -"
                                                                                    • O" -"nly retrospective data used in this study.
                                                                                    • -\n" -"
                                                                                    -\n" -"
                                                                                  • I" -"f external data are used in this study, please provide details about the sourc" -"e of external data, and identifying coordinates (DOI, URL, citation). -\n" -"
                                                                                  -\n" -"
                                                                                  " +"

                                                                                  Ask for help: Your in" +"stitution should be able to provide guidance with local storage solutions. See" +"k out RDM support at your Library or your Advanced Research Computing departme" +"nt. 

                                                                                  \n" +"

                                                                                  Third-party commercial file sharing service" +"s (such as Google Drive and Dropbox) facilitate file exchange, but they are no" +"t necessarily permanent or secure, and servers are often located outside Canad" +"a. This may contravene ethics protocol requirements or other institutional pol" +"icies. 

                                                                                  \n" +"

                                                                                  An ideal solution is one that facilitates c" +"ooperation and ensures data security, yet is able to be adopted by users with " +"minimal training. Transmitting data between locations or within research teams" +" can be challenging for data management infrastructure. Relying on email for d" +"ata transfer is not a robust or secure solution.

                                                                                  \n" +"
                                                                                    \n" +"
                                                                                  • Raw data are directly obt" +"ained from the instrument, simulation or survey. 
                                                                                  • \n" +"
                                                                                  • Processed data result fro" +"m some manipulation of the raw data in order to eliminate errors or outliers, " +"to prepare the data for analysis, to derive new variables, or to de-identify t" +"he human participants. 
                                                                                  • \n" +"
                                                                                  • Analyzed data are the res" +"ults of qualitative, statistical, or mathematical analysis of the processed da" +"ta. They can be presented as graphs, charts or statistical tables. 
                                                                                  • \n" +"
                                                                                  • Final data are processed " +"data that have, if needed, been converted into a preservation-friendly format." +" 
                                                                                  • \n" +"
                                                                                  " msgstr "" -"

                                                                                  Veuillez expliquer :

                                                                                  -\n" -"
                                                                                    -\n" -"
                                                                                  • Q" -"uelle est la marque et quel est le modèle du système de neuro-im" -"agerie ? Ex. : Siemens Prisma 3T. 
                                                                                  • -\n" -"
                                                                                  • P" -"ouvez-vous décrire le paradigme et les paramètres d’acquis" -"ition d’images utilisés dans l’étude ? Ex. IR" -"M T1w MPRAGE. 
                                                                                  • -\n" -"
                                                                                  • Q" -"uelle est la durée totale de la séquence de balayage ? Ex" -". 40 minutes.
                                                                                  • -\n" -"
                                                                                  • D" -"ans quels formats de fichier vos données de neuro-imagerie seront-elles" -" acquises ?
                                                                                  • -\n" -"
                                                                                      -\n" -"
                                                                                    • L" -"es formats de fichiers propriétaires nécessitant l’utilisa" -"tion de logiciels ou de matériel spécialisés ne sont pas " -"recommandés pour la conservation, mais peuvent être nécess" -"aires pour certaines méthodes de collecte ou d’analyse des donn&e" -"acute;es. Utilisez des formats de fichiers ouverts si possible ou des formats " -"standard tels que dicom, NIFTI, le format de données européen (." -"edf) ou le format de données BrainVision (.eeg/.vhdr/.vmrk). Pour en sa" -"voir plus sur les formats de fichiers : Bib" -"liothèque de l’Université de la C.-B. ou l’Archive de donn&e" -"acute;es du Royaume-Uni (liens en anglais).
                                                                                    • -\n" -"
                                                                                    -\n" -"
                                                                                  • L" -"es données seront-elles converties dans d’autres formats ?" -" Ex. NIFTI, BIDS, Minc.
                                                                                  • -\n" -"
                                                                                  • L" -"’étude intègre-t-elle des données acquises à" -" l’extérieur ?
                                                                                  • -\n" -"
                                                                                      -\n" -"
                                                                                    • N" -"on. Acquisition de nouvelles données uniquement.
                                                                                    • -\n" -"
                                                                                    • N" -"ouvelles données plus données rétrospectives du mêm" -"e chercheur principal.
                                                                                    • -\n" -"
                                                                                    • N" -"ouvelles données plus données rétrospectives provenant de" -" sources multiples.
                                                                                    • -\n" -"
                                                                                    • D" -"onnées rétrospectives utilisées exclusivement dans cette " -"étude.
                                                                                    • -\n" -"
                                                                                    -\n" -"
                                                                                  • S" -"i des données externes sont utilisées dans cette étude, v" -"euillez préciser la source des données externes et les coordonn&" -"eacute;es identificatoires (DOI, URL, citation). 
                                                                                  • -\n" +"

                                                                                    Demandez de l’aide : Votre établissement devrait être en mesure de fournir des c" +"onseils sur les solutions de stockage local. Demandez à votre biblioth&" +"egrave;que ou votre département d’informatique de recherche avanc" +"ée pour de l’aide par rapport à la gestion des donné" +";es de recherche (GDR). 

                                                                                    \n" +"

                                                                                    Les services de partage de fichiers commerc" +"iaux indépendants (tels que Google Drive et Dropbox) facilitent l&rsquo" +";échange de fichiers, mais ils ne sont pas nécessairement perman" +"ents ou sécurisés, et les serveurs sont souvent situés &a" +"grave; l’extérieur du Canada. Ces moyens de stockage peuvent cont" +"revenir aux exigences du protocole d’éthique ou à d’" +"autres politiques de l’établissement.

                                                                                    \n" +"

                                                                                    La solution idéale est celle qui fac" +"ilite la coopération et assure la sécurité des donn&eacut" +"e;es, tout en pouvant être adoptée par les utilisateurs avec un m" +"inimum de formation. La transmission des données entre les sites ou au " +"sein des équipes de recherche peut être difficile pour les infras" +"tructures de gestion des données. Le courrier électronique n&rsq" +"uo;est pas une solution robuste ou sûre pour le transfert des donn&eacut" +"e;es.

                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • Les données brutes <" +"/strong>sont obtenues directement à par" +"tir de l’instrument, de la simulation ou de l’enquête.
                                                                                    • \n" +"
                                                                                    • Les données trait&ea" +"cute;es résultent d’une " +"certaine manipulation des données brutes afin d’éliminer l" +"es erreurs ou les valeurs aberrantes, de préparer les données po" +"ur l’analyse, de dériver de nouvelles variables ou d’anonym" +"iser les participants.
                                                                                    • \n" +"
                                                                                    • Les données analys&e" +"acute;es sont les résultats d&" +"rsquo;une analyse qualitative, statistique ou mathématique des donn&eac" +"ute;es traitées. Elles peuvent être présentées sous" +" forme de graphiques, de diagrammes ou de tableaux statistiques.
                                                                                    • " +"\n" +"
                                                                                    • Les données dé" +";finitives sont des données tr" +"aitées qui ont été converties dans un format facile &agra" +"ve; préserver si nécessaire.
                                                                                    • \n" "
                                                                                    " -<<<<<<< HEAD msgid "" -"It is important to keep track of different cop" -"ies or versions of files, files held in different formats or locations, and in" -"formation cross-referenced between files. This process is called 'version cont" -"rol'. Logical file structures, informative naming conventions, and clear indic" -"ations of file versions, all contribute to better use of your data during and " -"after your research project.  These practices will help ensure that you a" -"nd your research team are using the appropriate version of your data, and mini" -"mize confusion regarding copies on different computers and/or on different med" -"ia. Read more about file naming and version control: UBC Library or UK Data Archive." +"

                                                                                    Help others reuse and cite your data: Did you know that a dataset is a scholarly output that you ca" +"n list on your CV, just like a journal article? 

                                                                                    \n" +"

                                                                                    If you publish your data in a data reposito" +"ry (e.g., Zenodo, Dataverse, Dryad), it can be found and reused by others. Man" +"y repositories can issue unique Digital Object Identifiers (DOIs) which make i" +"t easier to identify and cite datasets. 

                                                                                    \n" +"re3data.org" +" is a directory of potential open d" +"ata repositories. Consult with your colleagues to determine what repositories " +"are common for data sharing in your field. You can also enquire about RDM supp" +"ort at your local institution, often in the Library or Advanced Research Compu" +"ting. In the absence of local support, consult this Portage reposito" +"ry options guide." msgstr "" -"Vous devez garder une trace des différe" -"ntes copies ou versions de fichiers, des fichiers détenus dans diff&eac" -"ute;rents formats ou emplacements, et des informations croisées entre l" -"es fichiers. Ce processus s’appelle la « gestion des versio" -"ns ». Des structures de fichiers logiques, des conventions de nom" -"enclature informatives et des indications claires sur les versions des fichier" -"s contribuent à une meilleure utilisation de vos données pendant" -" et après votre projet de recherche. Ces pratiques feront en sorte que " -"vous et votre équipe de recherche utilisez la version appropriée" -" de vos données et minimiseront la confusion concernant les copies sur " -"différents ordinateurs ou sur différents supports. En savoir plu" -"s sur la nomenclature des fichiers et la gestion des versions : Bibliothèque de l’Université de la " -"C.-B. ou l’Archive de données du Royaume-Uni." +"

                                                                                    Aidez les autres à utiliser et citer vos données :&nb" +"sp;Saviez-vous qu’un ensemble d" +"e données est une production scientifique que vous pouvez mentionner su" +"r votre CV tout comme un article de revue ? 

                                                                                    \n" +"

                                                                                    Si vous publiez vos données dans un " +"dépôt de données (par exemple, Zenodo, Dataverse, Dryad), " +"elles peuvent être trouvées et réutilisées par autr" +"ui. De nombreux dépôts peuvent émettre des identifiants d&" +"rsquo;objets numériques (DOI) uniques qui facilitent l’identifica" +"tion et la citation des ensembles de données. 

                                                                                    <" +"a href=\"https://www.re3data.org/\">re3data.org<" +"/span> est un répertoire de d&eacut" +"e;pôts de données ouverts potentiels (lien en anglai" +"s). Consultez vos collègues pour déterminer quels sont les " +"dépôts courants pour le partage de données dans votre doma" +"ine. Vous pouvez également vous renseigner sur le soutien à la G" +"DR de votre établissement, soit à la bibliothèque soit au" +" département d’informatique de recherche avancée. En l&rsq" +"uo;absence de soutien local, consultez le guide sur les options de d" +"épôt de Portage.

                                                                                    " msgid "" -"“Within the framework of privacy protect" -"ion, the degree of anonymization of the data is an important consideration and" -" thus is an aspect incorporated in privacy regulations. Different rules apply " -"to data, which are dependent on whether the data is considered personal data, " -"fully anonymized or de‐identified. Fully anonymized data has all personalized " -"data removed, is given a separate identification code, and the key between the" -" fully anonymized dataset and any path back to the original data is deleted su" -"ch that it would be extremely difficult to trace the data back to an individua" -"l” (White et al., 2020)." -" The technical steps for anonymizing neuroimaging data should be designed to a" -"chieve the level of privacy required by ethics protocols governing the study. " -"See here for a selection of resources pertaining to anonymization." +"

                                                                                    How long should you keep your data? The length of time that you will keep or share your data beyond the " +"active phase of your research can be determined by external policies (e.g. fun" +"ding agencies, journal publishers), or by an understanding of the enduring (hi" +"storical) value of a given set of data. The need to publish data in the short-" +"term (i.e. for peer-verification purposes), for a longer-term access for reuse" +" (to comply with funding requirements), or for preservation through ongoing fi" +"le conversion and migration (for data of lasting historical value), will influ" +"ence the choice of data repository or archive. 

                                                                                    \n" +"

                                                                                    If you need long-term archiving for your da" +"ta set, choose a  preservation-capable repository. Digital preservation c" +"an be costly and time-consuming, and not all data can or should be preserved. " +" 

                                                                                    " msgstr "" -"« Dans le cadre de la protection " -"de la confidentialité, le degré d’anonymisation des donn&e" -"acute;es est une considération importante et constitue donc un aspect i" -"ntégré dans la réglementation relative à la protec" -"tion de la confidentialité. Différentes règles s’ap" -"pliquent aux données, selon qu’elles sont considéré" -"es comme des données personnelles, entièrement anonymisée" -"s ou dépersonnalisées. Les données entièrement ano" -"nymisées voient toutes les données personnalisées supprim" -"ées, reçoivent un code d’identification distinct et la cl&" -"eacute; entre l’ensemble de données entièrement anonymis&e" -"acute;es et tout chemin permettant de remonter aux données d’orig" -"ine est supprimée, de sorte qu’il serait extrêmement diffic" -"ile de remonter à un individu » (White et col., 2020<" -"/span>). Les étapes techniques de l" -"’anonymisation des données de neuro-imagerie devraient être" -" conçues de manière à atteindre le niveau de confidential" -"ité requis par les protocoles éthiques régissant l’" -"étude. Consultez ici<" -"span style=\"font-weight: 400;\"> une sélection de ressources sur l&rsquo" -";anonymisation." +"

                                                                                    Combien de temps devez-vous conserver vos données ?&n" +"bsp;La durée pendant laquelle " +"vous conserverez ou partagerez vos données au-delà de la phase a" +"ctive de votre recherche peut être déterminée par des poli" +"tiques externes (par exemple, les organismes de financement, les éditeu" +"rs de revues), ou par une compréhension de la valeur durable (historiqu" +"e) d’un ensemble de données en particulier. La nécessit&ea" +"cute; de publier les données à court terme (c’est-à" +"-dire à des fins de révision par les pairs), d’y acc&eacut" +"e;der à plus long terme pour les réutiliser (pour se conformer a" +"ux exigences de financement) ou de les conserver par une conversion et une mig" +"ration continues des fichiers (pour les données ayant une valeur histor" +"ique durable) influencera le choix du dépôt ou de l’archive" +" de données. 

                                                                                    \n" +"

                                                                                    Si vous avez besoin d’un archivage &a" +"grave; long terme pour votre ensemble de données, choisissez un d&eacut" +"e;pôt capable d’assurer la conservation. La conservation num&eacut" +"e;rique peut être coûteuse et longue ; certaines donn&eacut" +"e;es ne peuvent ou ne doivent pas être conservées.

                                                                                    " msgid "" -"
                                                                                      -\n" -"
                                                                                    • D" -"oes the study have an identifier (study ID) entered into the imaging console a" -"nd other software? If so, enter the study ID here.
                                                                                    • -\n" -"
                                                                                    • D" -"oes the study use identifiers for participants, e.g. sub-002 ? If so, give an " -"example of the subject ID format here.
                                                                                    • -\n" -"
                                                                                    • A" -"re there any other codes or identifiers used in the study? If so, please ident" -"ify and describe them here.
                                                                                    • -\n" -"
                                                                                    " +"

                                                                                    Consider which types of data need to be sha" +"red to meet institutional or funding requirements, and which data may be restr" +"icted because of confidentiality/privacy/intellectual property considerations." +"

                                                                                    " msgstr "" -"
                                                                                      -\n" -"
                                                                                    • L" -"’étude comporte-t-elle un identifiant (identifiant de l’&ea" -"cute;tude) saisi dans la console d’imagerie et d’autres logiciels&" -"thinsp;? Le cas échéant, entrez l’identifiant de l’&" -"eacute;tude ici.
                                                                                    • -\n" -"
                                                                                    • L" -"’étude utilise-t-elle des identifiants pour les participants, par" -" exemple sub-002 ? Le cas échéant, donnez un exemple du f" -"ormat d’identification du sujet.
                                                                                    • -\n" -"
                                                                                    • D" -"’autres codes ou identifiants sont-ils utilisés dans l’&eac" -"ute;tude ? Le cas échéant, veuillez les indiquer et les d" -"écrire ici.
                                                                                    • -\n" -"
                                                                                    " +"

                                                                                    Considérez quels types de donn&eacut" +"e;es doivent être partagés pour répondre aux exigences de " +"l’établissement ou de financement, et quelles données peuv" +"ent être restreintes pour des raisons de confidentialité ou de pr" +"opriété intellectuelle.

                                                                                    " msgid "" -"

                                                                                    A data management application is a piece of" -" software that stores data and helps to manage some aspects of the data and/or" -" metadata collection, quality control, conversion, processing, reporting, anno" -"tation, and other functions. Some applications are designed specifically for t" -"he neuroimaging domain, e.g. LORIS, Braincode, while other applications can be" -" used by any research discipline, e.g. XNAT, Redcap. In neurosciences, the ter" -"m ‘database’ is sometimes used by convention to refer to data mana" -"gement applications. For the purposes of this question, an application is any " -"software tool used to manage data acquisition or storage.

                                                                                    " +"

                                                                                    Use open licenses to promote data sharing and reuse: " +"Licenses determine what uses can be made of yo" +"ur data. Consider including a copy of your end-user license with your DMP. 

                                                                                    \n" +"

                                                                                    As the creator of a dataset (or any other a" +"cademic or creative work) you usually hold its copyright by default. However, " +"copyright prevents other researchers from reusing and building on your work. <" +"/span>Open Data Commons licenses " +"and Creative Commons licenses are a free, simple and standardized way to grant copyright permiss" +"ions and ensure proper attribution (i.e., citation). CC-BY is the most open li" +"cense, and allows others to copy, distribute, remix and build upon your work &" +"mdash;as long as they credit you or cite your work.

                                                                                    \n" +"

                                                                                    Even if you choose to make your data part o" +"f the public domain (with no restrictions on reuse), it is preferable to make " +"this explicit by using a license such as Creative Common" +"s' CC0. It is strongly recommended " +"to  share your data openly using an Open Data or Creative Commons license" +". 

                                                                                    \n" +"Learn more about data licensing at the " +"Digital Curation Centre." msgstr "" -"

                                                                                    Une application de gestion des donné" -"es est un logiciel qui stocke des données et aide à gérer" -" la collecte de données ou de métadonnées, le contrô" -";le de la qualité, la conversion, le traitement, la production de rappo" -"rts, l’annotation et d’autres fonctions. Certaines applications so" -"nt conçues spécifiquement pour le domaine de la neuro-imagerie, " -"par exemple, LORIS, Braincode, tandis que d’autres applications peuvent " -"être utilisées par n’importe quelle discipline de recherche" -", par exemple XNAT, Redcap. En neurosciences, le terme « base de " -"données » est parfois utilisé par convention pour d" -"ésigner les applications de gestion de données. Pour les besoins" -" de cette question, une application est tout outil logiciel utilisé pou" -"r gérer l’acquisition ou le stockage de données." +"

                                                                                    Utilisez des licences ouvertes pour promouvoir le partage et la r&e" +"acute;utilisation des données : Les licences déterminent les utilisations qui peuvent être" +" faites de vos données. Ajoutez une copie de votre licence d’util" +"isateur final avec votre PGD.

                                                                                    \n" +"

                                                                                     En tant que cr&eacut" +"e;ateur d’un ensemble de données (ou de toute autre œuvre u" +"niversitaire ou créative), vous en détenez général" +"ement les droits d’auteur par défaut. Cependant, le droit d&rsquo" +";auteur empêche d’autres chercheurs de réutiliser et de d&e" +"acute;velopper votre travail. Les licences Open Data Commons et les licences Creat" +"ive Commons (liens en " +"anglais) sont un moyen gratuit, simple et standardisé d’acco" +"rder des autorisations de droits d’auteur et de garantir une attribution" +" correcte (c’est-à-dire une citation). CC-BY est la licence la pl" +"us ouverte et permet à d’autres personnes de copier, distribuer, " +"réarranger et développer votre travail — à conditio" +"n qu’elles vous citent.

                                                                                    \n" +"

                                                                                    Même si vous choisissez de faire entr" +"er vos données dans le domaine public (sans restriction de réuti" +"lisation), il est préférable de le rendre explicite en utilisant" +" une licence telle que la CC0 Creative Commons. Il est fortement recommandé d" +"e partager vos données ouvertement en utilisant une licence Open Data o" +"u Creative Commons. 

                                                                                    Po" +"ur en savoir plus sur l’octroi de licences de données, consultez " +"le site du Centre de curation numéri" +"que (lien en anglais).

                                                                                    " msgid "" -"In some circumstances, it may be desirable to " -"preserve all versions of the data (e.g. raw, processed, analyzed, final), but " -"in others, it may be preferable to keep only selected or final data (e.g. phan" -"tom scans and other diagnostic scans may not need to be preserved)." +"

                                                                                    Data sharing as knowledge mobilization: Using social media, e-newsletters, bulletin boards, posters" +", talks, webinars, discussion boards or discipline-specific forums are good wa" +"ys to gain visibility, promote transparency and encourage data discovery and r" +"euse. 

                                                                                    \n" +"

                                                                                    One of the best ways to refer other researc" +"hers to your deposited datasets is to cite them the same way you cite other ty" +"pes of publications. Publish your data in a repository that will assign a pers" +"istent identifier (such as a DOI) to your dataset. This will ensure a stable a" +"ccess to the dataset and make it retrievable by various discovery tools. Some " +"repositories also create links from datasets to their associated papers, incre" +"asing the visibility of the publications.

                                                                                    " msgstr "" -"Dans certains cas, il vaudrait mieux conserver" -" toutes les versions des données (par exemple, les données brute" -"s, traitées, analysées, finales), mais dans d’autres, il p" -"eut être préférable de ne conserver que des données" -" sélectionnées ou finales (par exemple, des fantômes d&rsq" -"uo;imagerie et autres imageries de diagnostic peuvent ne pas avoir besoin d&rs" -"quo;être conservés)." +"

                                                                                    Partage de données pour la mobilisation du savoir : L’utilisation des médias so" +"ciaux, des bulletins d’information électroniques, des tableaux d&" +"rsquo;affichage, des affiches, des conférences, des webinaires, des for" +"ums de discussion ou des forums spécifiques à une discipline son" +"t de bons moyens de gagner en visibilité, de promouvoir la transparence" +" et d’encourager la découverte et la réutilisation des don" +"nées. 

                                                                                    \n" +"

                                                                                    L’un des meilleurs moyens de diriger " +"d’autres chercheurs vers vos ensembles de données dépos&ea" +"cute;s est de les citer de la même manière que vous citez d&rsquo" +";autres types de publications. Publiez vos données dans un dép&o" +"circ;t qui attribuera un identifiant permanent (tel qu’un DOI) à " +"votre ensemble de données. Cela garantira un accès stable &agrav" +"e; l’ensemble de données et le rendra récupérable p" +"ar divers outils de découverte. Certains dépôts cré" +"ent également des liens entre les ensembles de données et les do" +"cuments qui leur sont associés, ce qui augmente la visibilité de" +"s publications.

                                                                                    " msgid "" -"DataCite's repository finder tool and re3data.org are both useful tools" -" for finding an appropriate repository for your data. Searches on re3data can " -"be easily narrowed by discipline, such as this search for ‘neurosciences.&" -"rsquo; There are also generalist repository services like Zenodo, OSF, Figshar" -"e, and Academictorrents.com. If yo" -"ur data is ready to be shared under an open license, then posting to an existi" -"ng platform like openneuro.org, openfmri.org, nitrc.org, or portal.conp.ca could be a go" -"od solution.

                                                                                    Not all reposit" -"ories offer long-term preservation options, so you may want to consult a repos" -"itory’s posted policies before deciding to deposit.
                                                                                    " +"

                                                                                    Determine jurisdiction: If" +" your study is cross-institutional or international, you’ll need to dete" +"rmine which laws and policies will apply to your research.

                                                                                    \n" +"

                                                                                    Compliance with privacy legislation and law" +"s that may impose content restrictions in the data should be discussed with yo" +"ur institution's privacy officer or research services office.

                                                                                    \n" +"

                                                                                    If you collaborate with a partner in the Eu" +"ropean Union, for example,  you might need to follow the General Data Protection Regulation (GDPR).

                                                                                    \n" +"

                                                                                    If you are working with data that has First" +" Nations, Métis, or Inuit ownership, for example, you will need to work" +" with protocols that ensure community privacy is respected and community harm " +"is reduced. For further guidance on Indigenous data sovereignty, see OCAP P" +"rinciples, and in a global  co" +"ntext, CARE Principles of Indigenous Data Governance.

                                                                                    " msgstr "" -"L’outil de recherche de dépôt de DataCite et
                                                                                    re3data.org (liens en anglais) sont utiles pour trouver un dé" -";pôt approprié pour vos données. Les recherches sur les re" -"3data peuvent être facilement limitées par discipline, comme cett" -"e recherche sur les « neuros" -"ciences » (lien en" -" anglais). Il existe également des services de dép" -"ôt généralistes comme Zenodo, OSF, Figshare et Academicto" -"rrents.com (lien en an" -"glais). Si vos données sont" -" prêtes à être partagées sous une licence ouverte, l" -"eur publication sur une plateforme existante comme openneuro.org, openfmri.org, nitrc.org ou portal.conp.ca peut être une bonne solution (liens en " -"anglais).
                                                                                    Certains dép" -"ôts n’offrent pas la conservation à long terme, vous devrie" -"z donc consulter les politiques affichées du dépôt avant d" -"e décider de déposer vos données. " +"

                                                                                    Déterminez votre région : Si votre étude s’effectue dans divers établi" +"ssements ou différentes régions, vous devrez déterminer q" +"uelles lois et politiques s’appliqueront à votre recherche.

                                                                                    \n" +"

                                                                                    Le respect des lois en matière de pr" +"otection de la vie privée et des lois susceptibles d’imposer des " +"restrictions sur le contenu des données doit être discuté " +"avec le responsable de la protection de la vie privée ou le bureau des " +"services de recherche de votre établissement.

                                                                                    \n" +"

                                                                                    Si vous collaborez avec un partenaire de l&" +"rsquo;Union européenne, par exemple, vous devrez peut-être suivre" +" le R&egr" +"ave;glement général sur la protection des données (RGPD)<" +"/span>.

                                                                                    Si vous travaillez avec des données qui sont la propri&" +"eacute;té des Premières Nations, des Métis ou des Inuits," +" par exemple, vous devrez travailler avec des protocoles qui garantissent le r" +"espect de la vie privée de la communauté et la réduction " +"des dommages causés à celle-ci. Pour plus d’informations s" +"ur la souveraineté des données autochtones, consultez les principes PCAP, et dans un contexte mondial, les principes CARE sur la gouverna" +"nce autochtone des données (lien en anglais).

                                                                                    " msgid "" -"Consider using preservation-friendly file form" -"ats (open, non-proprietary formats), wherever possible. Some data formats are " -"optimal for long-term preservation of data. For example, non-proprietary file " -"formats, such as text ('.txt') and comma-separated ('.csv'), are considered pr" -"eservation-friendly. The UK Data Archive provides a useful table of file forma" -"ts for various types of data. Keep in mind that preservation-friendly files co" -"nverted from one format to another may lose information (e.g. converting from " -"an uncompressed TIFF file to a compressed JPG file), so changes to file format" -"s should be documented. Identify steps required following project completion i" -"n order to ensure the data you are choosing to preserve or share is anonymous," -" error-free, and converted to recommended formats with a minimal risk of data " -"loss. Read more about anonymization: UBC Librar" -"y or UK Data Archive.

                                                                                    Many repositories cannot accept data that " -"has not been anonymized or de-identified, making de-identifying and cleaning t" -"he data necessary steps towards long-term preservation. Always include support" -"ing documentation that describes the anonymization and de-identification proce" -"dures carried out.
                                                                                    " +"

                                                                                    Get informed consent before you collect data: Obtaining the appropriate consent from research parti" +"cipants is an important step in assuring Research Ethics Boards that the data " +"may be shared with researchers outside your project. Your informed consent sta" +"tement may identify certain conditions clarifying the uses of the data by othe" +"r researchers. For example, your statement may stipulate that the data will ei" +"ther only be shared for non-profit research purposes (you can use CC-by-NC &md" +"ash; the non-commercial Creative Commons licence with attribution) or that the" +" data will not be linked with other personally-identifying data. Note that thi" +"s aspect is not covered by an open license. You can learn more about data secu" +"rity at the UK Data Service.

                                                                                    \n" +"

                                                                                    Inform your study participants if you inten" +"d to publish an anonymized and de-identified version of collected data, and th" +"at by participating, they agree to these terms. For sample language for inform" +"ed consent: ICPSR R" +"ecommended Informed Consent Language for Data Sharing.

                                                                                    \n" +"

                                                                                    You may need to consider strategies to ensu" +"re the ethical reuse of your published dataset by new researchers. These strat" +"egies may affect your selection of a suitable license, and in some cases you m" +"ay not be able to use an open license.

                                                                                    " msgstr "" -"Envisagez d’utiliser des formats de fich" -"iers faciles à conserver (formats ouverts, non-propriétaires), d" -"ans la mesure du possible. Certains formats de données sont optimaux po" -"ur la conservation à long terme des données. Par exemple, les fo" -"rmats de fichiers non propriétaires, tels que le texte (« " -".txt ») et les formats séparés par des virgules (&l" -"aquo; .csv »), sont considérés comme favorab" -"les à la conservation. L’Archive de données du Royaume-Uni" -" fournit un tableau utile des formats de fichiers pour différents types" -" de données. Gardez à l’esprit que les fichiers conserv&ea" -"cute;s convertis d’un format à un autre peuvent perdre de l&rsquo" -";information (par exemple, la conversion d’un fichier TIFF non compress&" -"eacute; en un fichier JPG compressé) ; les modifications apport&" -"eacute;es aux formats de fichiers doivent donc être documentées. " -"Indiquez les mesures prises après la fin du projet pour vous assurer qu" -"e les données que vous choisissez de conserver ou de partager sont anon" -"ymes, exemptes d’erreurs et converties dans les formats recommandé" -";s avec un risque minimal de perte de données. Pour en savoir plus sur " -"l’anonymisation : Bibliothèqu" -"e de l’Université de la C.-B. ou l’Archive de données" -" du Royaume-Uni (liens en anglais).

                                                                                    De nombreux d&eacu" -"te;pôts ne peuvent pas accepter de données qui n’ont pas &e" -"acute;té anonymisées ou dépersonnalisées, ce qui r" -"end la dépersonnalisation et le nettoyage des données néc" -"essaires à leur conservation à long terme. Il faut toujours incl" -"ure des pièces justificatives qui décrivent les procédure" -"s d’anonymisation et de dépersonnalisation effectuées." - -msgid "" -"You may wish to share your data in the same re" -"pository selected for preservation or choose a different one. DataCi" -"te's repository finder tool and re3data" -".org, recommended in the preservati" -"on section, are also useful to consult here. Scientific Data has some specific" -" recommendations for neuroimaging repositories " -"here." +"

                                                                                    Obtenez un consentement éclairé avant la collecte de " +"données : L’obtenti" +"on du consentement approprié des participants à la recherche est" +" une étape importante pour rassurer les comités d’é" +"thique de la recherche que les données puissent être partag&eacut" +"e;es avec des chercheurs en dehors de votre projet. Votre déclaration d" +"e consentement éclairé peut préciser certaines conditions" +" clarifiant les utilisations des données par d’autres chercheurs." +" Par exemple, votre déclaration peut stipuler que les données ne" +" seront partagées qu’à des fins de recherche non lucrative" +"s (vous pouvez utiliser CC-by-NC — la licence Creative Commons non comme" +"rciale avec attribution) ou que les données ne seront pas liées " +"à d’autres données permettant d’identifier des perso" +"nnes. Notez que cet aspect n’est pas couvert par une licence ouverte. Vo" +"us pouvez en savoir plus sur la sécurité des données en c" +"onsultant le site du Service des données du R" +"oyaume-Uni (lien en anglais).

                                                                                    \n" +"
                                                                                    \n" +"

                                                                                    Vous devrez peut-être envisager des s" +"tratégies pour garantir la réutilisation éthique de votre" +" ensemble de données publiées par d’autres chercheurs. Ces" +" stratégies peuvent influencer votre choix d’une licence appropri" +"ée ; dans certains cas, vous ne pourrez pas utiliser une licence" +" ouverte.

                                                                                    " + +msgid "" +"

                                                                                    Privacy protection: O" +"pen science workflows prioritize being “as open as possible and as close" +"d as necessary.” Think about any privacy concerns you may have in regard" +"s to your data, or other restrictions on access outlined in your ethics protoc" +"ol. If your institution or funder regulates legal or ethical guidelines on wha" +"t information must be protected, take a moment to verify you have complied wit" +"h the terms for consent of sharing data. In the absence of local support for a" +"nonymization or de-identification of data, you can reach out to the Portage DM" +"P Coordinator at support@portagenet" +"work.ca.  

                                                                                    " msgstr "" -"Vous pouvez partager vos données dans l" -"e même dépôt que celui choisi pour la conservation ou en ch" -"oisir un autre. L’outil de recherche de dépôt de " -"DataCite et re3data.org (liens en anglais) présen" -"tés dans la section sur la préservation, sont également u" -"tiles à consulter dans ce cas-ci. Scientific Data propose ici quelques reco" -"mmandations spécifiques pour les dépôts de neuro-imagerie " -"(lien en anglais)." +"

                                                                                    Protection de la confidentialité : Les flux de travail scientifiques ouverts préconis" +"ent d’avoir des données « aussi ouvertes que possibl" +"e et aussi restreintes que nécessaire ». Songez à v" +"os réserves en matière de confidentialité de vos donn&eac" +"ute;es ou à d’autres restrictions d’accès déc" +"rites dans votre protocole d’éthique. Si votre établisseme" +"nt ou votre bailleur de fonds régit des directives légales ou &e" +"acute;thiques sur les informations qui doivent être protégé" +";es, prenez un moment pour vérifier si vous avez respecté les co" +"nditions de consentement au partage des données. En l’absence de " +"soutien local pour l’anonymisation ou la dépersonnalisation des d" +"onnées, vous pouvez communiquer avec le coordonnateur de la GPD de Port" +"age à l’adresse suivante : support@portagenetwork.ca.  

                                                                                    " msgid "" -"If data will be shared with any collaborators," -" then it should have a data license that defines the terms of use. If the data" -" will eventually be published to a data hosting platform, then a creative comm" -"ons open data license would be applicable. Even though it is “open&rdquo" -"; the license can place important constraints on what kind of re-use is allowe" -"d. For example, you can restrict access to only non-commercial uses of the dat" -"a, or you can require that credit be given. Clic" -"k here for more about Creative Comm" -"ons licenses. 

                                                                                    If data " -"will be shared on a more restricted basis, e.g. with a closed consortium of co" -"llaborators, then a custom data license and usage agreement will be needed. Pl" -"ease consult your institution’s research librarian or technology transfe" -"r office for assistance. Click here to access OpenAIRE’s guide “How do I" -" license my research data?”" +"

                                                                                    Please explain, in particular:

                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • What type of neuroimaging modalities will be used to acquire data in this " +"study? Ex: MRI, EEG.
                                                                                    • \n" +"
                                                                                    • What other types of data will be acquired in this study? Ex: behavioural, " +"biological sample.
                                                                                    • \n" +"
                                                                                    • Approximately how many participants does the study plan to acquire images " +"from?
                                                                                    • \n" +"
                                                                                    " msgstr "" -"Si les données sont partagées av" -"ec des collaborateurs, elles doivent être pourvues d’une licence q" -"ui définit les conditions d’utilisation. Si les données so" -"nt publiées sur une plateforme d’hébergement, une licence " -"de données ouverte Creative Commons sera alors appropriée. Bien " -"qu’elle soit « ouverte », la licence peut impo" -"ser des contraintes importantes quant aux réutilisations autorisé" -";es. Par exemple, vous pouvez réserver l’accès uniquement " -"aux utilisations non commerciales des données ou vous pouvez exiger l&r" -"squo;attribution du crédit. Cliquez ici pour en savoir plus sur les licences" -" Creative Commons (lien en anglais; voir aussi Qu'est-ce que l'" -"Open Data?).

                                                                                    Si le" -"s données sont partagées de manière plus restreinte, nota" -"mment avec un consortium fermé de collaborateurs, une licence de donn&e" -"acute;es et un accord d’utilisation sur mesure seront nécessaires" -". Veuillez consulter la bibliothèque de recherche ou le bureau de trans" -"fert de technologie de votre établissement pour obtenir de l’aide" -". <" -"span style=\"font-weight: 400;\">Cliquez ici pour accéder au guide d’OpenAIRE sur la manière d&" -"rsquo;obtenir une licence pour vos données de recherche (lien en an" -"glais)." +"Veuillez expliquer :
                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • Quel type de modalités de neuro-imagerie sera utilisé pour a" +"cquérir des données dans cette étude ? Ex. : IRM, " +"EEG.
                                                                                    • \n" +"
                                                                                    • Quels autres types de données acquériez-vous dans le cadre d" +"e cette étude ? Ex. : données comportementales, éc" +"hantillons biologiques.
                                                                                    • \n" +"
                                                                                    • Auprès de combien de participants environ acquériez-vous des" +" images pour l’étude ?
                                                                                    • \n" +"
                                                                                    " msgid "" -"Possibilities include: data registries, reposi" -"tories, indexes, word-of-mouth, publications. How will the data be accessed (W" -"eb service, ftp, etc.)? If possible, choose a repository that will assign a pe" -"rsistent identifier (such as a DOI) to your dataset. This will ensure a stable" -" access to the dataset and make it retrievable by various discovery tools.&nbs" -"p;

                                                                                    One of the best ways to r" -"efer other researchers to your deposited datasets is to cite them the same way" -" you cite other types of publications. The Digital Curation Centre provides a " -"detailed
                                                                                    guide on data citation. Some repositories also create links from datasets to " -"their associated papers, increasing the visibility of the publications. Contac" -"t your Library for assistance in making your dataset visible and easily access" -"ible (reused from National Institutes of Health, Key Elements to Consider" -" in Preparing a Data Sharing Plan Under NIH Extramural Support [2009]). " +"For fellow researchers, a write-up of your met" +"hods is indispensable for supporting the reproducibility of a study. In prepar" +"ation for publishing, consider creating an online document or folder (e.g. ope" +"nneuro, github, zenodo, osf) where your project methods can be gathered/prepar" +"ed. If appropriate, provide a link to that space here." msgstr "" -"Voici quelques possibilités : regi" -"stres de données, dépôts, index, bouche-à-oreille, " -"publications. Comment les données seront-elles accessibles (service web" -", ftp, etc.) ? Si possible, choisissez un dépôt qui attrib" -"uera un identifiant permanent (tel qu’un DOI) à votre ensemble de" -" données. Celui-ci garantira un accès stable à l’en" -"semble de données et permettra de le récupérer à l" -"’aide de divers outils de découverte.

                                                                                    L’un des meilleurs moyens de diriger des chercheu" -"rs vers vos ensembles de données déposés est de les citer" -" de la même manière que vous citez d’autres types de public" -"ations. Le Centre de curation numérique fournit un guide détaillé sur la citation des données<" -"/a> (lien en anglais). Certains d&eac" -"ute;pôts créent également des liens entre les ensembles de" -" données et les documents qui leur sont associés, ce qui augment" -"e la visibilité des publications. Communiquez avec votre biblioth&egrav" -"e;que pour obtenir de l’aide afin de rendre votre ensemble de donn&eacut" -"e;es visible et facilement accessible (repris des instituts nationaux de sant&" -"eacute;, Éléments cl" -"és à prendre en compte dans la préparation d’un pla" -"n de partage des données dans le cadre du soutien en dehors des institu" -"ts nationaux de santé [2009]; lien en anglais)" -". " +"Une description de vos méthodes est ind" +"ispensable pour que vos collègues chercheurs puissent reproduire votre " +"étude. En vue de la publication, pensez à créer un docume" +"nt ou un dossier en ligne (par exemple, openneuro, github, zenodo, osf) o&ugra" +"ve; les méthodes de votre projet peuvent être rassemblées " +"ou préparées. Le cas échéant, fournissez un lien v" +"ers cet espace ici." msgid "" -"Some examples of events to consider: replaceme" -"nt of principal researcher, change of in responsibility for any researchers or" -" data managers, the departure of students who have finished projects associate" -"d with the research material described in this DMP." +"Planning how research data will be stored and " +"backed up throughout and beyond a research project is critical in ensuring dat" +"a security and integrity. Appropriate storage and backup not only helps protec" +"t research data from catastrophic losses (due to hardware and software failure" +"s, viruses, hackers, natural disasters, human error, etc.), but also facilitat" +"es appropriate access by current and future researchers. You may need to encry" +"pt your data to ensure it is not accessible by those outside the project. For " +"more information, see the University of Waterloo’s Guideline for researchers on securing research participants'" +" data.

                                                                                    Please provide URL(s) to any data storage sites. If your" +" data are subject to strict rules governing human subjects and anonymity, then" +" you may need an on-premise solution installed on your institution’s ser" +"ver.
                                                                                    " msgstr "" -"Voici quelques exemples d’év&eacu" -"te;nements à prendre en compte : le remplacement du chercheur prin" -"cipal, le changement de responsabilité d’un chercheur ou d’" -"un gestionnaire de données, le départ d’étudiants a" -"yant terminé leurs projets associés au matériel de recher" -"che décrit dans ce PGD." +"La planification de votre méthode de st" +"ockage et de sauvegarde des données de recherche pendant et aprè" +"s un projet de recherche est essentielle pour garantir la sécurit&eacut" +"e; et l’intégrité des données. Un stockage et une s" +"auvegarde appropriés permettent non seulement de protéger les do" +"nnées de recherche contre les pertes catastrophiques (dues à des" +" défaillances matérielles et logicielles, des virus, des pirates" +", des catastrophes naturelles, des erreurs humaines, etc.), mais facilitent &e" +"acute;galement un accès convenable pour les chercheurs actuels et futur" +"s. Vous devrez peut-être crypter vos données pour vous assurer qu" +"’elles ne sont pas accessibles à des personnes en dehors du proje" +"t. Pour plus d’informations, consultez les lignes directrices à l’intention des chercheurs sur la " +"sécurisation des données des participants à la recherche<" +"/span> de l’Université de Wat" +"erloo (lien en anglais).

                                                                                    Veuillez fournir l’URL de tous les sites de stockage de d" +"onnées. Si vos données sont soumises à des règles " +"strictes concernant les êtres humains et l’anonymat, vous pouvez a" +"voir besoin d’une solution sur place installée sur le serveur de " +"votre établissement.
                                                                                    " msgid "" -"Give examples of the tools or software will yo" -"u use to clean DICOM headers of personally identifiable information. E.g.
                                                                                    PyDeface is a tool that can " -"be used to strip facial structures from the brain. For more detailed de-identi" -"fication guidance and recommended tools for all types of data, see Portage&rsq" -"uo;s De-identification Guidance." +"Choices about data preservation will depend on" +" the potential for reuse and long-term significance of the data, as well as wh" +"ether you have obligations to funders or collaborators to either retain or des" +"troy data, and what resources will be required to ensure it remains usable in " +"the future. The need to preserve data in the short-term (i.e. for peer-verific" +"ation purposes) or long-term (for data of lasting value) will influence the ch" +"oice of data repository or archive. Tools such as DataCite's reposit" +"ory finder tool and re3data.org<" +"/a> are useful for finding an appropriate repo" +"sitory for your data. " msgstr "" -"Donnez des exemples d’outils ou de logic" -"iels que vous utiliserez pour nettoyer les en-têtes DICOM des informatio" -"ns personnelles identifiables. Par exemple, PyDeface est un outil qui peut être utilisé p" -"our enlever les structures faciales du cerveau (lien en anglais). Pour des conseils de dépersonnalisation plus détaill&eacut" -"e;s et les outils recommandés pour tous les types de données, co" -"nsulter les Directives sur la dépersonnalisation des " -"données de Portage." +"Les choix en matière de conservation de" +"s données dépendront du potentiel de réutilisation et de " +"l’importance à long terme des données, votre obligation en" +"vers les bailleurs de fonds ou les collaborateurs de conserver ou de dé" +"truire les données ainsi que les ressources nécessaires pour gar" +"antir qu’elles restent utilisables à l’avenir. Le besoin de" +" conserver les données à court terme (c’est-à-dire " +"à des fins de vérification par les pairs) ou à long terme" +" (pour les données ayant une valeur durable) influencera le choix du d&" +"eacute;pôt ou de l’archive de données. Des outils tels que " +"l’outil de recherche de dépôt de DataCite<" +"/a> et re3data.org (liens en anglais) sont utiles pour trouver un dép" +"ôt approprié pour vos données. " msgid "" -"This can be provided as a link, a description," -" or as a full copy of appropriate documents." +"Most Canadian research funding agencies now ha" +"ve policies recommending or requiring research data to be shared upon publicat" +"ion of the research results or within a reasonable period of time. While data " +"sharing contributes to the visibility and impact of research, it has to be bal" +"anced with the legitimate desire of researchers to maximise their research out" +"puts before releasing their data. Equally important is the need to protect the" +" privacy of respondents and to properly handle sensitive data. What you can share, and with whom, may depend on what " +"type of consent is obtained from study participants. In a case where some (or " +"all) or the data analyzed was previously acquired (by your research team or by" +" others), what you can share for this current study may also be dependent on t" +"he terms under which the original data were provided, and any restrictions tha" +"t were placed on that data originally. Provide a copy of your consent forms an" +"d licensing terms for any secondary data, if available." msgstr "" -"Celui-ci peut être fourni sous forme de lien, de description ou de copie" -" intégrale des documents appropriés." +"La plupart des organismes canadiens de finance" +"ment de la recherche ont maintenant des politiques recommandant ou exigeant qu" +"e les données de recherche soient partagées dès la public" +"ation des résultats de la recherche ou dans un délai raisonnable" +". Si le partage des données contribue à la visibilité et " +"à l’impact de la recherche, il doit être équilibr&ea" +"cute; avec le désir légitime des chercheurs de maximiser les r&e" +"acute;sultats de leurs recherches avant de publier leurs données. Il es" +"t tout aussi important de protéger la confidentialité des r&eacu" +"te;pondants et de traiter correctement les données sensibles. Le mat&ea" +"cute;riel que vous pouvez partager et les entités avec lesquels vous po" +"uvez les partager dépendent du type de consentement obtenu des particip" +"ants à l’étude. Si des données analysées ont" +" été acquises précédemment (par votre équip" +"e de recherche ou par d’autres), ce que vous pouvez partager pour cette " +"étude en cours peut également dépendre des conditions dan" +"s lesquelles les données originales ont été fournies et d" +"es contraintes qui ont été imposées à ces donn&eac" +"ute;es à l’origine. Veuillez fournir une copie de vos formulaires" +" de consentement et des conditions de licence pour toutes les données s" +"econdaires, si elles sont disponibles." msgid "" -"

                                                                                    For a good starter resource on metadata see" -": https://www.go-fair.org/fair-pri" -"nciples/f2-data-described-rich-metadata/.

                                                                                    " +"Data management focuses on the 'what' and 'how" +"' of operationally supporting data across the research lifecycle. Data steward" +"ship focuses on 'who' is responsible for ensuring that data management happens" +". A large project, for example, will involve multiple data stewards. The Princ" +"ipal Investigator should identify at the beginning of a project all of the peo" +"ple who will have responsibilities for data management tasks during and after " +"the project." msgstr "" -"

                                                                                    Pour une bonne ressource de départ sur les " -"métadonnées, consultez le lien suivant :https://www.go-fair.org/fair-principles/f2-data-described-rich-metadata/" -" (lien en anglais). <" -"/span>

                                                                                    " +"La gestion des données est centré" +";e sur la nature et la méthode du soutien opératoire des donn&ea" +"cute;es tout au long du cycle de vie de la recherche. L’intendance des d" +"onnées se concentre sur la personne ou le groupe responsable de la gest" +"ion des données. Un projet de grande envergure, par exemple, fera inter" +"venir plusieurs gestionnaires de données. Le chercheur principal doit d" +"ésigner au début du projet toutes les personnes qui seront respo" +"nsables des tâches de gestion des données pendant et après" +" le projet." msgid "" -"

                                                                                    Syntax: Any code used by the researcher to " -"transform the raw data into the research results. This most commonly includes," -" but is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code" -".

                                                                                    " +"This estimate should incorporate data manageme" +"nt costs expected during the project as well as those required for the longer-" +"term support for the data after the project is finished. Items to consider in " +"the latter category of expenses include the costs of curating and providing lo" +"ng-term access to the data. Some funding agencies state explicitly that they w" +"ill provide support to meet the cost of preparing data for deposit. This might" +" include technical aspects of data management, training requirements, file sto" +"rage & backup, and contributions of non-project staff. OpenAIRE has developed a tool to help researchers estimate" +" costs associated with data management. Access this tool " +"here." msgstr "" -"

                                                                                    La syntaxe est définie comme tout code utilisé par un cherche" -"ur pour transformer les données brutes en résultats de recherche" -". Généralement, elle est sous forme de fichiers .do (Stata), de " -"fichiers .sas (SAS) et de code .r (R).

                                                                                    " +"Cette estimation doit intégrer les co&u" +"circ;ts de gestion des données prévus pendant le projet ainsi qu" +"e ceux nécessaires pour le soutien à plus long terme des donn&ea" +"cute;es après la fin du projet. Parmi les éléments &agrav" +"e; prendre en compte dans cette dernière catégorie de dép" +"enses, il y a les coûts de conservation et d’accès à" +" long terme aux données. Certains organismes subventionnaires dé" +"clarent explicitement qu’ils fourniront une aide pour couvrir le co&ucir" +"c;t de la préparation des données en vue de leur dép&ocir" +"c;t. Cette aide peut inclure les aspects techniques de la gestion des donn&eac" +"ute;es, les besoins de formation, le stockage et la sauvegarde des fichiers, e" +"t les contributions du personnel non affecté au projet. OpenAIRE a d&ea" +"cute;veloppé un outil pour aider les chercheurs à estimer les co" +"ûts associés à la gestion des données. Cliquez ici pour avoir acc" +"ès à cet outil (lien en anglais)." msgid "" -"You can consult your analyst to learn more abo" -"ut the availability of metadata for your proposed dataset. In some cases, the " -"codebooks contain confidential information (quantiles with small numbers of in" -"dividuals identified etc.). and cannot be made available." +"

                                                                                    Researchers must follow the policies and gu" +"idance of the research ethics board governing their institutions. There may be" +" important differences across institutions. The Public Health Agency of Canada" +" (PHAC) is responsible for setting standards and coordinating REBs across Cana" +"da. They provide 10 best practices for ensuring privacy of human participants:

                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • Determining the research objectives and ju" +"stifying the data needed to fulfill these objectives
                                                                                    • \n" +"
                                                                                    • Limiting the collection of personal data
                                                                                    • \n" +"
                                                                                    • Determining if consent from individuals is" +" required
                                                                                    • \n" +"
                                                                                    • Managing and documenting consent \n" +"
                                                                                    • Informing prospective research participant" +"s about the research
                                                                                    • \n" +"
                                                                                    • Recruiting prospective research participan" +"ts
                                                                                    • \n" +"
                                                                                    • Safeguarding personal data
                                                                                    • \n" +"
                                                                                    • Controlling access and disclosure of perso" +"nal data
                                                                                    • \n" +"
                                                                                    • Setting reasonable limits on retention of " +"personal data
                                                                                    • \n" +"
                                                                                    • Ensuring accountability and transparency i" +"n the management of personal data
                                                                                    • \n" +"
                                                                                    \n" +"


                                                                                    In the context of neuroimaging resear" +"ch, “the potential identifiability of otherwise anonymous image files is" +" of great concern to those in the field who are anxious to encourage electroni" +"c data sharing” (Kulynych, 2002). Please consult your REB for recommendations on how to pr" +"epare ethics protocols.

                                                                                    " msgstr "" -"Vous pouvez consulter votre analyste pour en savoir plus sur la disponibilit&e" -"acute; des métadonnées pour l’ensemble de données q" -"ue vous proposez. Dans certains cas, les guides de codification contiennent de" -"s informations confidentielles (quantiles avec un petit nombre d’individ" -"us identifiés, etc.) et ne peuvent pas être rendus disponibles." +"

                                                                                    Les chercheurs doivent suivre les politique" +"s et les directives du comité d’éthique de la recherche (C" +"ÉR) qui régit leur établissement. Il peut y avoir des dif" +"férences considérables d’un établissement à " +"l’autre. L’Agence de la santé publique du Canada (ASPC) est" +" chargée d’établir des normes et de coordonner les C&Eacut" +"e;R dans tout le Canada. Elle propose ainsi 10 pratiques exemplaires pour garantir la protection de la co" +"nfidentialité des participants humains à la recherche :\n" +"

                                                                                      \n" +"
                                                                                    • D" +"éterminer les objectifs de la recherche et justifier les données" +" nécessaires pour atteindre ces objectifs
                                                                                    • \n" +"
                                                                                    • L" +"imiter la collecte de données personnelles
                                                                                    • \n" +"
                                                                                    • D" +"éterminer si le consentement des personnes est requis
                                                                                    • \n" +"
                                                                                    • G" +"érer et documenter le consentement
                                                                                    • \n" +"
                                                                                    • E" +"xpliquer aux participants potentiels à la recherche les objectifs de la" +" recherche
                                                                                    • \n" +"
                                                                                    • R" +"ecruter des participants potentiels à la recherche
                                                                                    • \n" +"
                                                                                    • P" +"rotéger des données personnelles
                                                                                    • \n" +"
                                                                                    • C" +"ontrôler l’accès et la divulgation des données personnelles
                                                                                    • " +"\n" +"
                                                                                    • F" +"ixer des limites raisonnables à la rétention des données " +"personnelles
                                                                                    • \n" +"
                                                                                    • G" +"arantir la responsabilité et la transparence dans la gestion des donn&e" +"acute;es personnelles
                                                                                    • \n" +"
                                                                                    \n" +"

                                                                                    Dans le contexte de la recherche en neuro-i" +"magerie, « la possibilité d’identification de fichie" +"rs d’images autrement anonymes est une grande préoccupation pour " +"les intervenants dans ce domaine qui s’inquiètent d’encoura" +"ger le partage électronique des données » (<" +"a href=\"https://doi.org/10.1016/S0278-2626(02)00518-3\">Kulynych, 2002; lien en anglais). Veuillez consulter votre CÉR pour obtenir des recomman" +"dations sur la manière de préparer des protocoles déontol" +"ogiques.

                                                                                    " msgid "" -"

                                                                                    A tool provided by OpenAIRE can help resear" -"chers estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs<" -"/span>.

                                                                                    " +"State how you will prepare, store, share, and " +"archive the data in a way that ensures participant information is protected, t" +"hroughout the research lifecycle, from disclosure, harmful use, or inappropria" +"te linkages with other personal data. This may mean avoiding cloud storage ser" +"vices, placing data on computers with no access to the internet, or encrypting" +" data that will be shared during the research project. For more information, s" +"ee the Harvard Catalyst guidance about cloud storage." msgstr "" -"

                                                                                    L’outil fourni suivant fourni par Ope" -"nAIRE peut aider les chercheurs à estimer le coût de la gestion d" -"es données de recherche : https://" -"www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien" -" en anglais).

                                                                                    " +"Indiquez comment vous allez préparer, s" +"tocker, partager et archiver les données de manière à gar" +"antir que les informations sur les participants sont protégées t" +"out au long du cycle de vie de la recherche contre la divulgation, l’uti" +"lisation préjudiciable ou les liens inappropriés avec d’au" +"tres données personnelles. Il peut s’agir d’éviter l" +"es services de stockage infonuagique, de stocker les données sur des or" +"dinateurs n’ayant pas accès à l’internet ou de crypt" +"er les données qui seront partagées pendant le projet de recherc" +"he. Pour plus d’informations, consultez le guide de H" +"arvard Catalyst sur le stockage dans le nuage.
                                                                                    " msgid "" -======= +"Please explain" +", in particular:
                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • W" +"hat is the make and model of the neuroimaging system? Ex: Siemens Prisma 3T.&n" +"bsp;
                                                                                    • \n" +"
                                                                                    • C" +"an you describe the image acquisition paradigm and parameters being used in th" +"e study? Ex. MRI T1w MPRAGE. 
                                                                                    • \n" +"
                                                                                    • W" +"hat is the total duration of the scanning sequence? Ex. 40 minutes. \n" +"
                                                                                    • W" +"hat file formats will your neuroimaging data be acquired in?
                                                                                    • \n" +"
                                                                                        \n" +"
                                                                                      • P" +"roprietary file formats requiring specialized software or hardware to use are " +"not recommended for preservation, but may be necessary for certain data collec" +"tion or analysis methods. Use open file formats where possible, or at least in" +"dustry-standard formats such as dicom, NIFTI, European data format (.edf), or " +"the BrainVision data format (.eeg/.vhdr/.vmrk). Read more about file formats: " +"UBC Library or UK Data Archive.
                                                                                      • \n" +"
                                                                                      \n" +"
                                                                                    • W" +"ill the data be converted into other formats? Ex. NIFTI, BIDS, Minc. \n" +"
                                                                                    • D" +"oes the study incorporate any data acquired externally? 
                                                                                    • \n" +"
                                                                                        \n" +"
                                                                                      • N" +"o. New data acquisition only.
                                                                                      • \n" +"
                                                                                      • N" +"ew data plus retrospective data from the same PI.
                                                                                      • \n" +"
                                                                                      • N" +"ew data plus retrospective data from multiple sources.
                                                                                      • \n" +"
                                                                                      • O" +"nly retrospective data used in this study.
                                                                                      • \n" +"
                                                                                      \n" +"
                                                                                    • I" +"f external data are used in this study, please provide details about the sourc" +"e of external data, and identifying coordinates (DOI, URL, citation). \n" +"
                                                                                    \n" +"
                                                                                    " +msgstr "" +"

                                                                                    Veuillez expliquer :

                                                                                    \n" +"
                                                                                      \n" +"
                                                                                    • Q" +"uelle est la marque et quel est le modèle du système de neuro-im" +"agerie ? Ex. : Siemens Prisma 3T. 
                                                                                    • \n" +"
                                                                                    • P" +"ouvez-vous décrire le paradigme et les paramètres d’acquis" +"ition d’images utilisés dans l’étude ? Ex. IR" +"M T1w MPRAGE. 
                                                                                    • \n" +"
                                                                                    • Q" +"uelle est la durée totale de la séquence de balayage ? Ex" +". 40 minutes.
                                                                                    • \n" +"
                                                                                    • D" +"ans quels formats de fichier vos données de neuro-imagerie seront-elles" +" acquises ?
                                                                                    • \n" +"
                                                                                        \n" +"
                                                                                      • L" +"es formats de fichiers propriétaires nécessitant l’utilisa" +"tion de logiciels ou de matériel spécialisés ne sont pas " +"recommandés pour la conservation, mais peuvent être nécess" +"aires pour certaines méthodes de collecte ou d’analyse des donn&e" +"acute;es. Utilisez des formats de fichiers ouverts si possible ou des formats " +"standard tels que dicom, NIFTI, le format de données européen (." +"edf) ou le format de données BrainVision (.eeg/.vhdr/.vmrk). Pour en sa" +"voir plus sur les formats de fichiers : Bib" +"liothèque de l’Université de la C.-B. ou l’Archive de donn&e" +"acute;es du Royaume-Uni (liens en anglais).
                                                                                      • \n" +"
                                                                                      \n" +"
                                                                                    • L" +"es données seront-elles converties dans d’autres formats ?" +" Ex. NIFTI, BIDS, Minc.
                                                                                    • \n" +"
                                                                                    • L" +"’étude intègre-t-elle des données acquises à" +" l’extérieur ?
                                                                                    • \n" +"
                                                                                        \n" +"
                                                                                      • N" +"on. Acquisition de nouvelles données uniquement.
                                                                                      • \n" +"
                                                                                      • N" +"ouvelles données plus données rétrospectives du mêm" +"e chercheur principal.
                                                                                      • \n" +"
                                                                                      • N" +"ouvelles données plus données rétrospectives provenant de" +" sources multiples.
                                                                                      • \n" +"
                                                                                      • D" +"onnées rétrospectives utilisées exclusivement dans cette " +"étude.
                                                                                      • \n" +"
                                                                                      \n" +"
                                                                                    • S" +"i des données externes sont utilisées dans cette étude, v" +"euillez préciser la source des données externes et les coordonn&" +"eacute;es identificatoires (DOI, URL, citation). 
                                                                                    • \n" +"
                                                                                    " msgid "" "It is important to keep track of different cop" @@ -26915,40 +16328,32 @@ msgstr "" ";anonymisation." msgid "" -"
                                                                                      -\n" +"
                                                                                        \n" "
                                                                                      • D" "oes the study have an identifier (study ID) entered into the imaging console a" -"nd other software? If so, enter the study ID here.
                                                                                      • -\n" +"nd other software? If so, enter the study ID here. \n" "
                                                                                      • D" "oes the study use identifiers for participants, e.g. sub-002 ? If so, give an " -"example of the subject ID format here.
                                                                                      • -\n" +"example of the subject ID format here. \n" "
                                                                                      • A" "re there any other codes or identifiers used in the study? If so, please ident" -"ify and describe them here.
                                                                                      • -\n" +"ify and describe them here. \n" "
                                                                                      " msgstr "" -"
                                                                                        -\n" +"
                                                                                          \n" "
                                                                                        • L" "’étude comporte-t-elle un identifiant (identifiant de l’&ea" "cute;tude) saisi dans la console d’imagerie et d’autres logiciels&" "thinsp;? Le cas échéant, entrez l’identifiant de l’&" -"eacute;tude ici.
                                                                                        • -\n" +"eacute;tude ici. \n" "
                                                                                        • L" "’étude utilise-t-elle des identifiants pour les participants, par" " exemple sub-002 ? Le cas échéant, donnez un exemple du f" -"ormat d’identification du sujet.
                                                                                        • -\n" +"ormat d’identification du sujet. \n" "
                                                                                        • D" "’autres codes ou identifiants sont-ils utilisés dans l’&eac" "ute;tude ? Le cas échéant, veuillez les indiquer et les d" -"écrire ici.
                                                                                        • -\n" +"écrire ici. \n" "
                                                                                        " msgid "" @@ -27223,390 +16628,147 @@ msgid "" "d with the research material described in this DMP." msgstr "" "Voici quelques exemples d’év&eacu" -"te;nements à prendre en compte : le remplacement du chercheur prin" -"cipal, le changement de responsabilité d’un chercheur ou d’" -"un gestionnaire de données, le départ d’étudiants a" -"yant terminé leurs projets associés au matériel de recher" -"che décrit dans ce PGD." - -msgid "" -"Give examples of the tools or software will yo" -"u use to clean DICOM headers of personally identifiable information. E.g. PyDeface is a tool that can " -"be used to strip facial structures from the brain. For more detailed de-identi" -"fication guidance and recommended tools for all types of data, see Portage&rsq" -"uo;s De-identification Guidance." -msgstr "" -"Donnez des exemples d’outils ou de logic" -"iels que vous utiliserez pour nettoyer les en-têtes DICOM des informatio" -"ns personnelles identifiables. Par exemple, PyDeface est un outil qui peut être utilisé p" -"our enlever les structures faciales du cerveau (lien en anglais). Pour des conseils de dépersonnalisation plus détaill&eacut" -"e;s et les outils recommandés pour tous les types de données, co" -"nsulter les Directives sur la dépersonnalisation des " -"données de Portage." - -msgid "" -"This can be provided as a link, a description," -" or as a full copy of appropriate documents." -msgstr "" -"Celui-ci peut être fourni sous forme de lien, de description ou de copie" -" intégrale des documents appropriés." - -msgid "" -"

                                                                                        For a good starter resource on metadata see" -": https://www.go-fair.org/fair-pri" -"nciples/f2-data-described-rich-metadata/.

                                                                                        " -msgstr "" -"

                                                                                        Pour une bonne ressource de départ sur les " -"métadonnées, consultez le lien suivant :https://www.go-fair.org/fair-principles/f2-data-described-rich-metadata/" -" (lien en anglais). <" -"/span>

                                                                                        " - -msgid "" -"

                                                                                        Syntax: Any code used by the researcher to " -"transform the raw data into the research results. This most commonly includes," -" but is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code" -".

                                                                                        " -msgstr "" -"

                                                                                        La syntaxe est définie comme tout code utilisé par un cherche" -"ur pour transformer les données brutes en résultats de recherche" -". Généralement, elle est sous forme de fichiers .do (Stata), de " -"fichiers .sas (SAS) et de code .r (R).

                                                                                        " - -msgid "" -"You can consult your analyst to learn more abo" -"ut the availability of metadata for your proposed dataset. In some cases, the " -"codebooks contain confidential information (quantiles with small numbers of in" -"dividuals identified etc.). and cannot be made available." -msgstr "" -"Vous pouvez consulter votre analyste pour en savoir plus sur la disponibilit&e" -"acute; des métadonnées pour l’ensemble de données q" -"ue vous proposez. Dans certains cas, les guides de codification contiennent de" -"s informations confidentielles (quantiles avec un petit nombre d’individ" -"us identifiés, etc.) et ne peuvent pas être rendus disponibles." - -msgid "" -"

                                                                                        A tool provided by OpenAIRE can help resear" -"chers estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs<" -"/span>.

                                                                                        " -msgstr "" -"

                                                                                        L’outil fourni suivant fourni par Ope" -"nAIRE peut aider les chercheurs à estimer le coût de la gestion d" -"es données de recherche : https://" -"www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien" -" en anglais).

                                                                                        " - -msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -"

                                                                                        There are many general and domain-specific metadata standards. Dataset docu" -"mentation should be provided in one of these standard, machine readable, openl" -"y-accessible formats to enable the effective exchange of information between u" -"sers and systems.  These standards are often based on language-independen" -"t data formats such as XML, RDF, and JSON. There are many metadata standards b" -"ased on these formats, including discipline-specific standards.

                                                                                        -\n" -"

                                                                                        Dataset documentation may also include a co" -"ntrolled vocabulary, which is a standardized list of terminology for describin" -"g information. Examples of controlled vocabularies include the Library of Congress Subject Headings (LCSH) or NASA’s Glo" -"bal Change Master Directory (GCMD) Keywords

                                                                                        -\n" -"

                                                                                        Read more about metadata standards: UK Digital Curation Centre's D" -"isciplinary Metadata

                                                                                        " -msgstr "" -"

                                                                                        Il existe plusieurs normes de métadonnées générales et propres à un domaine" -". Les informations sur l'ensemble de données doivent être fournies dans un de " -"ces formats standards, ouverts et lisibles par machine afin de permettre l'éch" -"ange efficace d'information entre les utilisateurs et les systèmes. Ces normes" -" s'appuient souvent sur des formats de données comme XML, RDF et JSON qui ne s" -"ont pas liés à un langage de programmation. Il y a plusieurs normes de métadon" -"nées fondées sur ces formats, y compris des normes propres à une discipline. \n" -"

                                                                                        La documentation des jeux de données peut é" -"galement inclure un vocabulaire contrôlé, qui est une liste terminologique nor" -"malisée pour la description de l’information. Parmi les exemples de vocabulair" -"es contrôlés, citons les Library of Congress Subject Headings " -"(LCSH) ou NASA’s Global Change Master Directory (GCMD) Key" -"words

                                                                                        \n" -"

                                                                                        Pour en savoir plus sur les normes de métadonnées, consultez le site suivan" -"t : UK Digital Curation Centre's Disciplinary Metadata

                                                                                        " -<<<<<<< HEAD - -msgid "" -"

                                                                                        Read an overview of data storage solutions and" -" media types at the Consortium of E" -"uropean Social Science Data Archives.

                                                                                        -\n" -"

                                                                                        For York University researchers, UIT provid" -"es server data storage with on-campus and off-campus backup options. It i" -"s important that a conversation is had with UIT prior to submitting your grant" -" as there may be costs associated with data storage that will need to be repre" -"sented in your budget.

                                                                                        -\n" -"

                                                                                        Canadian researchers could also consider st" -"orage and cloud resources available through the Compute Canada’s Rapid Access Services and Compute Canada Services for Humanities and Social Sciences Researc" -"hers.

                                                                                        " -msgstr "" - -msgid "" -"

                                                                                        Check out

                                                                                        -\n" -"" -msgstr "" - -msgid "" -"

                                                                                        Data Deposit

                                                                                        -\n" -"

                                                                                        Check out the Repository Options in Canada: A Portage Guide

                                                                                        -\n" -"

                                                                                        Scholars Portal Dataverse is available to York researchers and can serve preservation needs" -" where single file size is less than 3 GB. Researchers interested in depositin" -"g large file size data sets are invited to discuss their options by consulting" -" the RDM library services at yul_rdm@yorku.ca.

                                                                                        -\n" -"

                                                                                        York University Libraries is a formal spons" -"or of the Canadian Federated Research Data Repository (FRDR) and supports the deposit of larger data sets in th" -"is national research data repository. To learn more about FRDR, please review " -"the terms of their data submission policy<" -"span style=\"font-weight: 400;\">.

                                                                                        -\n" -"

                                                                                        Larger projects will need to contact UIT" -" to discuss the ongoing cost of lon" -"g-term preservation. It is prudent that these costs be written into the grant " -"budget.

                                                                                        -\n" -"

                                                                                        For other data deposit options, including d" -"iscipline specific repositories, see the re3data.org directory. 

                                                                                        -\n" -"

                                                                                        Check out the Generalist Reposito" -"ry Comparison Chart to learn more a" -"bout different features of selected generalist repositories.

                                                                                        -\n" -"

                                                                                        Long-term Preservation

                                                                                        -\n" -"

                                                                                        It’s possible that the data repositor" -"y you've selected provides short- or medium-term data sharing and access but d" -"oes not meet your long-term preservation needs.

                                                                                        -\n" -"

                                                                                        Check out the preservation policies of the " -"data repositories to see how long the deposited data will be retained and whet" -"her they also provide long term data archiving services.

                                                                                        -\n" -"

                                                                                        Research data files and metadata made avail" -"able through the York University Dataverse<" -"span style=\"font-weight: 400;\"> will generally be retained to the lifetime of " -"the repository. 

                                                                                        -\n" -"

                                                                                        Check out the current Data Retention and Deaccession Policy of FRDR. -\n" -"

                                                                                        A federated approach to research data prese" -"rvation in Canada is under consideration and development.

                                                                                        -\n" -"

                                                                                        If you need assistance locating a suitable " -"data repository or archive, please contact York University Libraries at yul_rd" -"m@yorku.ca. 

                                                                                        " -msgstr "" - -msgid "" -"

                                                                                        If researchers seek to share openly de-iden" -"tified data emerging from their research, it is crucial that consent be secure" -"d from participants during the informed consent process. Contact the Office of Research Ethics " -"for further details about re-consent previously collected data.  -\n" -"

                                                                                        Data uploaded to Scholars Portal " -"Dataverse can be restricted to only" -" authorized users. You can easily manage the restrictions of your Dataverse an" -"d studies to be private, available to only certain IPs, to individual account(" -"s), or to specific groups. When you choose this optional feature, security is " -"in place to protect your data from others who wish to exploit or access data t" -"hat they are not authorized to. However, Scholars Portal Dataverse does NOT ac" -"cept content that contains confidential or sensitive information without appro" -"priate permission. Dataverse can be used to share de-identified and non-confid" -"ential data only. Contributors are required to remove, replace, or redact such" -" information from datasets prior to upload.

                                                                                        -\n" -"

                                                                                        Check out

                                                                                        -\n" -" -\n" -"

                                                                                        For help, please contact York University Li" -"braries at yul_rdm@yorku.ca. 

                                                                                        " +"te;nements à prendre en compte : le remplacement du chercheur prin" +"cipal, le changement de responsabilité d’un chercheur ou d’" +"un gestionnaire de données, le départ d’étudiants a" +"yant terminé leurs projets associés au matériel de recher" +"che décrit dans ce PGD." + +msgid "" +"Give examples of the tools or software will yo" +"u use to clean DICOM headers of personally identifiable information. E.g. PyDeface is a tool that can " +"be used to strip facial structures from the brain. For more detailed de-identi" +"fication guidance and recommended tools for all types of data, see Portage&rsq" +"uo;s De-identification Guidance." msgstr "" +"Donnez des exemples d’outils ou de logic" +"iels que vous utiliserez pour nettoyer les en-têtes DICOM des informatio" +"ns personnelles identifiables. Par exemple, PyDeface est un outil qui peut être utilisé p" +"our enlever les structures faciales du cerveau (lien en anglais). Pour des conseils de dépersonnalisation plus détaill&eacut" +"e;s et les outils recommandés pour tous les types de données, co" +"nsulter les Directives sur la dépersonnalisation des " +"données de Portage." msgid "" -"

                                                                                        In terms of ownership o" -"f research data, for faculty and post-docs at York University, please review t" -"he terms of your collective agreement. For graduate students, please review th" -"e Faculty of Graduate Studies Guide on Intellectual Propert" -"y.

                                                                                        -\n" -"

                                                                                        Consult York U Office of Research Services (ORS) " -"and Information and Privacy Office for intellectual property and copyrights re" -"lated questions.

                                                                                        " +"This can be provided as a link, a description," +" or as a full copy of appropriate documents." msgstr "" +"Celui-ci peut être fourni sous forme de lien, de description ou de copie" +" intégrale des documents appropriés." msgid "" -"

                                                                                        Consider using a ReadMe file for your data set, and see more examples of documenting quantitative and qualitative dat" -"a from the Consortium of European S" -"ocial Science Data Archives.

                                                                                        " +"

                                                                                        For a good starter resource on metadata see" +": https://www.go-fair.org/fair-pri" +"nciples/f2-data-described-rich-metadata/.

                                                                                        " msgstr "" +"

                                                                                        Pour une bonne ressource de départ sur les " +"métadonnées, consultez le lien suivant :https://www.go-fair.org/fair-principles/f2-data-described-rich-metadata/" +" (lien en anglais). <" +"/span>

                                                                                        " msgid "" -"

                                                                                        For assistance with choosing and using a me" -"tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." -"

                                                                                        " +"

                                                                                        Syntax: Any code used by the researcher to " +"transform the raw data into the research results. This most commonly includes," +" but is not limited to, .do (Stata) files, .sas (SAS) files, and .r (R) R code" +".

                                                                                        " msgstr "" +"

                                                                                        La syntaxe est définie comme tout code utilisé par un cherche" +"ur pour transformer les données brutes en résultats de recherche" +". Généralement, elle est sous forme de fichiers .do (Stata), de " +"fichiers .sas (SAS) et de code .r (R).

                                                                                        " msgid "" -"

                                                                                        For assistance with choosing and using a me" -"tadata standard, please contact York University Libraries at yul_rdm@yorku.ca." -"

                                                                                        " +"You can consult your analyst to learn more abo" +"ut the availability of metadata for your proposed dataset. In some cases, the " +"codebooks contain confidential information (quantiles with small numbers of in" +"dividuals identified etc.). and cannot be made available." msgstr "" +"Vous pouvez consulter votre analyste pour en savoir plus sur la disponibilit&e" +"acute; des métadonnées pour l’ensemble de données q" +"ue vous proposez. Dans certains cas, les guides de codification contiennent de" +"s informations confidentielles (quantiles avec un petit nombre d’individ" +"us identifiés, etc.) et ne peuvent pas être rendus disponibles." msgid "" -"

                                                                                        Check out

                                                                                        -\n" -"" +"

                                                                                        A tool provided by OpenAIRE can help resear" +"chers estimate the cost of research data management: https://www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs<" +"/span>.

                                                                                        " msgstr "" +"

                                                                                        L’outil fourni suivant fourni par Ope" +"nAIRE peut aider les chercheurs à estimer le coût de la gestion d" +"es données de recherche : https://" +"www.openaire.eu/how-to-comply-to-h2020-mandates-rdm-costs (lien" +" en anglais).

                                                                                        " msgid "" -======= +"

                                                                                        There are many general and domain-specific metadata standards. Dataset docu" +"mentation should be provided in one of these standard, machine readable, openl" +"y-accessible formats to enable the effective exchange of information between u" +"sers and systems.  These standards are often based on language-independen" +"t data formats such as XML, RDF, and JSON. There are many metadata standards b" +"ased on these formats, including discipline-specific standards.

                                                                                        \n" +"

                                                                                        Dataset documentation may also include a co" +"ntrolled vocabulary, which is a standardized list of terminology for describin" +"g information. Examples of controlled vocabularies include the Library of Congress Subject Headings (LCSH) or NASA’s Glo" +"bal Change Master Directory (GCMD) Keywords

                                                                                        \n" +"

                                                                                        Read more about metadata standards: UK Digital Curation Centre's D" +"isciplinary Metadata

                                                                                        " +msgstr "" +"

                                                                                        Il existe plusieurs normes de métadonnées générales et propres à un domaine" +". Les informations sur l'ensemble de données doivent être fournies dans un de " +"ces formats standards, ouverts et lisibles par machine afin de permettre l'éch" +"ange efficace d'information entre les utilisateurs et les systèmes. Ces normes" +" s'appuient souvent sur des formats de données comme XML, RDF et JSON qui ne s" +"ont pas liés à un langage de programmation. Il y a plusieurs normes de métadon" +"nées fondées sur ces formats, y compris des normes propres à une discipline. \n" +"

                                                                                        La documentation des jeux de données peut é" +"galement inclure un vocabulaire contrôlé, qui est une liste terminologique nor" +"malisée pour la description de l’information. Parmi les exemples de vocabulair" +"es contrôlés, citons les Library of Congress Subject Headings " +"(LCSH) ou NASA’s Global Change Master Directory (GCMD) Key" +"words

                                                                                        \n" +"

                                                                                        Pour en savoir plus sur les normes de métadonnées, consultez le site suivan" +"t : UK Digital Curation Centre's Disciplinary Metadata

                                                                                        " msgid "" "

                                                                                        Read an overview of data storage solutions and" " media types at the Consortium of E" -"uropean Social Science Data Archives.

                                                                                        -\n" +"uropean Social Science Data Archives.

                                                                                        \n" "

                                                                                        For York University researchers, UIT provid" "es server data storage with on-campus and off-campus backup options. It i" "s important that a conversation is had with UIT prior to submitting your grant" " as there may be costs associated with data storage that will need to be repre" -"sented in your budget.

                                                                                        -\n" +"sented in your budget.

                                                                                        \n" "

                                                                                        Canadian researchers could also consider st" "orage and cloud resources available through the Check out

                                                                                        -\n" -"
                                                                                          -\n" +"

                                                                                          Check out

                                                                                          \n" +"
                                                                                          " msgstr "" msgid "" -"

                                                                                          Data Deposit

                                                                                          -\n" +"

                                                                                          Data Deposit

                                                                                          \n" "

                                                                                          Check out the Repository Options in Canada: A Portage Guide

                                                                                          -\n" +">

                                                                                          \n" "

                                                                                          Scholars Portal Dataverse is available to York researchers and can serve preservation needs" " where single file size is less than 3 GB. Researchers interested in depositin" "g large file size data sets are invited to discuss their options by consulting" -" the RDM library services at yul_rdm@yorku.ca.

                                                                                          -\n" +" the RDM library services at yul_rdm@yorku.ca.

                                                                                          \n" "

                                                                                          York University Libraries is a formal spons" "or of the Canadian Federated Research Data Repositorydata submission policy<" -"span style=\"font-weight: 400;\">.

                                                                                          -\n" +"span style=\"font-weight: 400;\">.

                                                                                          \n" "

                                                                                          Larger projects will need to contact UIT" " to discuss the ongoing cost of lon" "g-term preservation. It is prudent that these costs be written into the grant " -"budget.

                                                                                          -\n" +"budget.

                                                                                          \n" "

                                                                                          For other data deposit options, including d" "iscipline specific repositories, see the re3data.org directory. 

                                                                                          -\n" +"ight: 400;\"> directory. 

                                                                                          \n" "

                                                                                          Check out the Generalist Reposito" "ry Comparison Chart to learn more a" -"bout different features of selected generalist repositories.

                                                                                          -\n" -"

                                                                                          Long-term Preservation

                                                                                          -\n" +"bout different features of selected generalist repositories.

                                                                                          \n" +"

                                                                                          Long-term Preservation

                                                                                          \n" "

                                                                                          It’s possible that the data repositor" "y you've selected provides short- or medium-term data sharing and access but d" -"oes not meet your long-term preservation needs.

                                                                                          -\n" +"oes not meet your long-term preservation needs.

                                                                                          \n" "

                                                                                          Check out the preservation policies of the " "data repositories to see how long the deposited data will be retained and whet" -"her they also provide long term data archiving services.

                                                                                          -\n" +"her they also provide long term data archiving services.

                                                                                          \n" "

                                                                                          Research data files and metadata made avail" "able through the York University Dataverse<" "span style=\"font-weight: 400;\"> will generally be retained to the lifetime of " -"the repository. 

                                                                                          -\n" +"the repository. 

                                                                                          \n" "

                                                                                          Check out the current Data Retention and Deaccession Policy of FRDR. -\n" +"p> \n" "

                                                                                          A federated approach to research data prese" -"rvation in Canada is under consideration and development.

                                                                                          -\n" +"rvation in Canada is under consideration and development.

                                                                                          \n" "

                                                                                          If you need assistance locating a suitable " "data repository or archive, please contact York University Libraries at yul_rd" "m@yorku.ca. 

                                                                                          " @@ -27720,8 +16864,7 @@ msgid "" " href=\"http://research.info.yorku.ca/research-ethics/\">Office of Research Ethics " "for further details about re-consent previously collected data.  -\n" +"p> \n" "

                                                                                          Data uploaded to Scholars Portal " "Dataverse can be restricted to only" @@ -27733,30 +16876,23 @@ msgid "" "cept content that contains confidential or sensitive information without appro" "priate permission. Dataverse can be used to share de-identified and non-confid" "ential data only. Contributors are required to remove, replace, or redact such" -" information from datasets prior to upload.

                                                                                          -\n" -"

                                                                                          Check out

                                                                                          -\n" -" \n" "

                                                                                          For help, please contact York University Li" "braries at yul_rdm@yorku.ca. 

                                                                                          " msgstr "" @@ -27767,8 +16903,7 @@ msgid "" "he terms of your collective agreement. For graduate students, please review th" "e Faculty of Graduate Studies Guide on Intellectual Propert" -"y.

                                                                                          -\n" +"y.

                                                                                          \n" "

                                                                                          Consult York U Office of Research Services (ORS) " @@ -27803,31 +16938,25 @@ msgid "" msgstr "" msgid "" -"

                                                                                          Check out

                                                                                          -\n" -"
                                                                                            -\n" +"

                                                                                            Check out

                                                                                            \n" +"
                                                                                            " msgstr "" msgid "" ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f "

                                                                                            Les organismes subventionnaires demandent de préciser comment les do" "nnées seront recueillies, documentées, formatées, prot&ea" "cute;gées, et conservées;

                                                                                            " @@ -27942,63 +17071,63 @@ msgstr "" msgid "No Plans found" msgstr "" -#: ../../app/controllers/application_controller.rb:38 +#: ../../app/controllers/application_controller.rb:39 msgid "You are not authorized to perform this action." msgstr "Vous n’êtes pas autorisé à effectuer cette action." -#: ../../app/controllers/application_controller.rb:42 +#: ../../app/controllers/application_controller.rb:43 msgid "You need to sign in or sign up before continuing." msgstr "Vous devez vous connecter ou vous inscrire pour continuer." -#: ../../app/controllers/application_controller.rb:108 +#: ../../app/controllers/application_controller.rb:109 msgid "Unable to %{action} the %{object}.%{errors}" msgstr "Il est impossible de %{action} les %{object}. %{errors}" -#: ../../app/controllers/application_controller.rb:116 +#: ../../app/controllers/application_controller.rb:117 msgid "Successfully %{action} the %{object}." msgstr "L'action %{action} pour %{object} a été effectuée avec succès." -#: ../../app/controllers/application_controller.rb:131 +#: ../../app/controllers/application_controller.rb:132 msgid "API client" msgstr "" -#: ../../app/controllers/application_controller.rb:132 +#: ../../app/controllers/application_controller.rb:133 msgid "plan" msgstr "plan" -#: ../../app/controllers/application_controller.rb:133 +#: ../../app/controllers/application_controller.rb:134 msgid "guidance group" msgstr "groupe de directives" -#: ../../app/controllers/application_controller.rb:134 +#: ../../app/controllers/application_controller.rb:135 msgid "comment" msgstr "laisser un commentaire" -#: ../../app/controllers/application_controller.rb:135 +#: ../../app/controllers/application_controller.rb:136 msgid "organisation" msgstr "organisme" -#: ../../app/controllers/application_controller.rb:136 +#: ../../app/controllers/application_controller.rb:137 msgid "permission" msgstr "autorisation" -#: ../../app/controllers/application_controller.rb:137 +#: ../../app/controllers/application_controller.rb:138 msgid "preferences" msgstr "préférences" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "profile" msgstr "profil" -#: ../../app/controllers/application_controller.rb:138 +#: ../../app/controllers/application_controller.rb:139 msgid "user" msgstr "utilisateur(trice)" -#: ../../app/controllers/application_controller.rb:139 +#: ../../app/controllers/application_controller.rb:140 msgid "question option" msgstr "" -#: ../../app/controllers/application_controller.rb:184 +#: ../../app/controllers/application_controller.rb:185 msgid "Record Not Found" msgstr "" @@ -28325,7 +17454,7 @@ msgstr "Modèle" #: ../../app/helpers/plans_helper.rb:22 ../../app/helpers/plans_helper.rb:52 #: ../../app/helpers/settings_template_helper.rb:15 #: ../../app/views/devise/registrations/_password_confirmation.html.erb:22 -#: ../../app/views/orgs/_profile_form.html.erb:154 +#: ../../app/views/orgs/_profile_form.html.erb:152 #: ../../app/views/paginable/orgs/_index.html.erb:5 #: ../../app/views/paginable/plans/_org_admin.html.erb:20 #: ../../app/views/paginable/plans/_org_admin_other_user.html.erb:7 @@ -29083,12 +18212,12 @@ msgid "Plan Description" msgstr "Description du plan" #: ../../app/helpers/settings_template_helper.rb:14 -#: ../../app/views/orgs/_profile_form.html.erb:142 +#: ../../app/views/orgs/_profile_form.html.erb:140 #: ../../app/views/paginable/templates/_customisable.html.erb:7 #: ../../app/views/paginable/templates/_organisational.html.erb:12 #: ../../app/views/plans/_project_details.html.erb:156 #: ../../app/views/plans/_show_details.html.erb:12 -#: ../../app/views/plans/new.html.erb:87 +#: ../../app/views/plans/new.html.erb:88 msgid "Funder" msgstr "Organisme subventionnaire" @@ -29114,7 +18243,7 @@ msgstr "" #: ../../app/helpers/template_helper.rb:46 #: ../../app/views/plans/index.html.erb:29 -#: ../../app/views/plans/new.html.erb:125 +#: ../../app/views/plans/new.html.erb:126 #: ../../app/views/shared/_create_plan_modal.html.erb:5 msgid "Create plan" msgstr "Créer un plan" @@ -29250,16 +18379,16 @@ msgstr "Numéro de subvention :" msgid "%{grant_number}" msgstr "%{grant_number}" +#: ../../app/models/concerns/exportable_plan.rb:145 +msgid "%{description}" +msgstr "%{description}" + #: ../../app/models/concerns/exportable_plan.rb:145 #: ../../app/views/shared/export/_plan_coversheet.erb:26 #: ../../app/views/shared/export/_plan_txt.erb:15 msgid "Project abstract: " msgstr "Résumé du projet :" -#: ../../app/models/concerns/exportable_plan.rb:145 -msgid "%{description}" -msgstr "%{description}" - #: ../../app/models/concerns/exportable_plan.rb:148 #: ../../app/views/shared/export/_plan_coversheet.erb:42 #: ../../app/views/shared/export/_plan_txt.erb:18 @@ -29338,14 +18467,14 @@ msgstr "" msgid "Selected option(s)" msgstr "Options sélectionnées" -#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 -msgid "Answered by" -msgstr "Répondu par" - #: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:118 msgid "Answered at" msgstr "Répondu à" +#: ../../app/models/exported_plan.rb:115 ../../app/models/exported_plan.rb:117 +msgid "Answered by" +msgstr "Répondu par" + #: ../../app/models/exported_plan.rb:162 msgid "Details" msgstr "Détails" @@ -29549,11 +18678,8 @@ msgid "Plans" msgstr "Plans" #: ../../app/models/user/at_csv.rb:8 -#: ../../app/views/paginable/notifications/_index.html.erb:8 -#: ../../app/views/paginable/users/_index.html.erb:28 -#: ../../app/views/super_admin/notifications/_form.html.erb:34 -msgid "Active" -msgstr "Actif" +msgid "Department" +msgstr "" #: ../../app/models/user/at_csv.rb:8 #: ../../app/views/paginable/users/_index.html.erb:27 @@ -29561,8 +18687,11 @@ msgid "Current Privileges" msgstr "Privilèges actuels" #: ../../app/models/user/at_csv.rb:8 -msgid "Department" -msgstr "" +#: ../../app/views/paginable/notifications/_index.html.erb:8 +#: ../../app/views/paginable/users/_index.html.erb:28 +#: ../../app/views/super_admin/notifications/_form.html.erb:34 +msgid "Active" +msgstr "Actif" #: ../../app/policies/api/v0/departments_policy.rb:12 #: ../../app/policies/api/v0/guidance_group_policy.rb:12 @@ -29772,7 +18901,7 @@ msgstr "Veuillez patienter. Le chargement des normes est en cours." #: ../../app/views/org_admin/templates/_form.html.erb:85 #: ../../app/views/org_admin/users/edit.html.erb:54 #: ../../app/views/orgs/_feedback_form.html.erb:38 -#: ../../app/views/orgs/_profile_form.html.erb:190 +#: ../../app/views/orgs/_profile_form.html.erb:188 #: ../../app/views/plans/_edit_details.html.erb:11 #: ../../app/views/plans/_guidance_selection.html.erb:23 #: ../../app/views/questions/_preview_question.html.erb:111 @@ -29956,7 +19085,7 @@ msgstr "Supprimer" #: ../../app/views/org_admin/questions/_form.html.erb:105 #: ../../app/views/org_admin/questions/_form.html.erb:107 #: ../../app/views/plans/_guidance_selection.html.erb:35 -#: ../../app/views/plans/new.html.erb:126 +#: ../../app/views/plans/new.html.erb:127 #: ../../app/views/super_admin/api_clients/_form.html.erb:86 #: ../../app/views/super_admin/notifications/_form.html.erb:73 #: ../../app/views/super_admin/themes/_form.html.erb:19 @@ -30036,7 +19165,7 @@ msgstr "Nom de famille" #: ../../app/views/devise/invitations/edit.html.erb:40 #: ../../app/views/devise/registrations/new.html.erb:43 #: ../../app/views/devise/registrations/new.html.erb:58 -#: ../../app/views/shared/_access_controls.html.erb:11 +#: ../../app/views/shared/_access_controls.html.erb:12 #: ../../app/views/shared/_create_account_form.html.erb:53 msgid "Create account" msgstr "Créer un compte" @@ -30307,7 +19436,7 @@ msgstr "" "uer cette modification." #: ../../app/views/devise/registrations/_password_confirmation.html.erb:11 -#: ../../app/views/devise/registrations/edit.html.erb:17 +#: ../../app/views/devise/registrations/edit.html.erb:18 #: ../../app/views/shared/_create_account_form.html.erb:27 #: ../../app/views/shared/_sign_in_form.html.erb:7 msgid "Password" @@ -30395,11 +19524,11 @@ msgstr "Modifier le profil" msgid "Personal Details" msgstr "Renseignements personnels" -#: ../../app/views/devise/registrations/edit.html.erb:22 +#: ../../app/views/devise/registrations/edit.html.erb:24 msgid "API Access" msgstr "Accès API" -#: ../../app/views/devise/registrations/edit.html.erb:27 +#: ../../app/views/devise/registrations/edit.html.erb:29 msgid "Notification Preferences" msgstr "Préférences relatives aux avis" @@ -30415,7 +19544,7 @@ msgstr "Avez-vous un compte %{application_name}?" #: ../../app/views/layouts/_header_navigation_delete.html.erb:69 #: ../../app/views/layouts/_signin_signout.html.erb:41 #: ../../app/views/shared/_access_controls.html.erb:5 -#: ../../app/views/shared/_sign_in_form.html.erb:19 +#: ../../app/views/shared/_sign_in_form.html.erb:21 msgid "Sign in" msgstr "Se connecter" @@ -30950,7 +20079,7 @@ msgstr "GitHub" #: ../../app/views/layouts/_header_navigation_delete.html.erb:13 #: ../../app/views/layouts/_navigation.html.erb:12 -#: ../../app/views/orgs/_profile_form.html.erb:58 +#: ../../app/views/orgs/_profile_form.html.erb:56 msgid "logo" msgstr "logo" @@ -31041,14 +20170,14 @@ msgstr "Se déconnecter" msgid "%{application_name}" msgstr "%{application_name}" -#: ../../app/views/layouts/application.html.erb:105 -msgid "Error:" -msgstr "Erreur :" - #: ../../app/views/layouts/application.html.erb:105 msgid "Notice:" msgstr "Remarque :" +#: ../../app/views/layouts/application.html.erb:105 +msgid "Error:" +msgstr "Erreur :" + #: ../../app/views/layouts/application.html.erb:115 msgid "Loading..." msgstr "" @@ -31433,14 +20562,14 @@ msgstr "Actions" msgid "Feedback requested" msgstr "Rétroaction demandée" -#: ../../app/views/org_admin/plans/index.html.erb:29 -msgid "Notify the plan owner that I have finished providing feedback" -msgstr "Aviser le propriétaire du plan que j’ai terminé de fournir des commentaires" - #: ../../app/views/org_admin/plans/index.html.erb:29 msgid "Complete" msgstr "Achevé" +#: ../../app/views/org_admin/plans/index.html.erb:29 +msgid "Notify the plan owner that I have finished providing feedback" +msgstr "Aviser le propriétaire du plan que j’ai terminé de fournir des commentaires" + #: ../../app/views/org_admin/plans/index.html.erb:39 msgid "" "Download plans (new window)>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid "on the homepage." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:38 -msgid "on the homepage." +msgid "If you do not have a %{application_name} account, click on" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "page for guidance." +msgid "Please visit the" msgstr "" #: ../../app/views/static_pages/about_us.html.erb:39 -msgid "Please visit the" +msgid "page for guidance." msgstr "" #: ../../app/views/static_pages/about_us.html.erb:43 @@ -33717,11 +22842,11 @@ msgid "New API Client" msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Unable to regenerate the client credentials." +msgid "Successfully regenerated the client credentials." msgstr "" #: ../../app/views/super_admin/api_clients/refresh_credentials.js.erb:1 -msgid "Successfully regenerated the client credentials." +msgid "Unable to regenerate the client credentials." msgstr "" #: ../../app/views/super_admin/notifications/_form.html.erb:20 @@ -34443,6 +23568,14 @@ msgid "" "lease visit the 'Plans' page under the Admin menu in %{tool_name} and open the" " plan." msgstr "" +"%{requestor} souhaite obtenir des commentaires au sujet d’un plan %{link_html}" +". Pour ajouter des commentaires, consultez la page « Plans » sous le menu Admi" +"n dans %{tool_name}, puis ouvrez le plan. " + +#: ../../app/views/user_mailer/feedback_notification.html.erb:15 +msgid "Alternatively, you can click the link below:" +msgstr "" +"À la place, vous pouvez cliquer sur le lien ci-dessous : \n" #: ../../app/views/user_mailer/new_comment.html.erb:5 msgid "" @@ -34529,37 +23662,24 @@ msgid "Hello %{recipient_name}," msgstr "Bonjour %{recipient_name}," #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD -msgid " to " -======= -msgid " in a plan called " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f -msgstr "" - -#: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " is creating a Data Management Plan and has answered " +msgid " based on the template " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -<<<<<<< HEAD msgid " is creating a Data Management Plan and has answered " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " in a plan called " -======= msgid " to " msgstr "" #: ../../app/views/user_mailer/question_answered.html.erb:5 -msgid " based on the template " ->>>>>>> 2dfc45ede54ca96493692652707612e84f55ca7f +msgid " in a plan called " msgstr "" #: ../../app/views/user_mailer/sharing_notification.html.erb:5 msgid "" -"Your colleague %{inviter_name} has invited you to contribute to -\n" +"Your colleague %{inviter_name} has invited you to contribute to \n" " their Data Management Plan in %{tool_name}" msgstr "" diff --git a/config/locales/.translation_io b/config/locales/.translation_io index 60f1015a00..899ef92db8 100644 --- a/config/locales/.translation_io +++ b/config/locales/.translation_io @@ -1,2 +1,2 @@ --- -timestamp: 1648828428 +timestamp: 1651769418

                                                                                    Informez les participants à votre &e" +"acute;tude si vous avez l’intention de publier une version anonymis&eacu" +"te;e et dépersonnalisée des données collectées, et" +" qu’en participant, ils acceptent les présentes conditions. Pour " +"voir des exemples de libellé pour le consentement éclairé" +", consultez la ressource suivante : Formulation recommandée de l’ICPSR pour le " +"consentement éclairé au partage des données (<" +"em>lien en anglais).