diff --git a/.github/workflows/weblate-merge-po.yml b/.github/workflows/weblate-merge-po.yml index d2cbc1f1e2..be5b247920 100644 --- a/.github/workflows/weblate-merge-po.yml +++ b/.github/workflows/weblate-merge-po.yml @@ -35,7 +35,7 @@ jobs: zypper --non-interactive ref - name: Install tools - run: zypper --non-interactive install --no-recommends git gettext-tools python3-langtable + run: zypper --non-interactive install --no-recommends nodejs npm git gettext-tools python3-langtable - name: Configure Git run: | @@ -53,61 +53,67 @@ jobs: path: agama-weblate repository: ${{ github.repository_owner }}/agama-weblate - - name: Update PO files + - name: Install NPM packages + working-directory: ./agama/web/share/po + run: npm ci + + - name: Validate the PO files + working-directory: ./agama-weblate + run: ls web/*.po | xargs -n1 msgfmt --check-format -o /dev/null + + - name: Update JS translations working-directory: ./agama run: | - mkdir -p web/po + mkdir -p web/src/po # delete the current translations - find web/po -name '*.po' -exec git rm '{}' ';' + find web/src/po -name '*.js' -exec git rm '{}' ';' - # copy the new ones - mkdir -p web/po - cp -a ../agama-weblate/web/*.po web/po - git add web/po/*.po + # update the list of supported languages, it is used by the PO->JS converter in the next step + web/share/update-languages.py --po-directory ../agama-weblate/web > web/src/languages.json - - name: Validate the PO files - working-directory: ./agama - run: ls web/po/*.po | xargs -n1 msgfmt --check-format -o /dev/null + # rebuild the JS files + (cd web/src/po && SRCDIR=../../../../agama-weblate/web ../../share/po/po-converter.js) + + # stage the changes + git add web/src/po/*.js web/src/languages.json - # any changes besides the timestamps in the PO files? + # any changes detected? - name: Check changes id: check_changes working-directory: ./agama run: | - git diff --staged --ignore-matching-lines="POT-Creation-Date:" \ - --ignore-matching-lines="PO-Revision-Date:" web/po > po.diff + git diff --staged web | tee tr.diff - if [ -s po.diff ]; then - echo "PO files updated" + if [ -s tr.diff ]; then + echo "Translations updated" # this is an Output Parameter # https://docs.github.com/en/actions/using-workflows/workflow-commands-for-github-actions#setting-an-output-parameter - echo "po_updated=true" >> $GITHUB_OUTPUT + echo "updated=true" >> $GITHUB_OUTPUT else - echo "PO files unchanged" - echo "po_updated=false" >> $GITHUB_OUTPUT + echo "Translations not changed" + echo "updated=false" >> $GITHUB_OUTPUT fi - rm po.diff + rm tr.diff - name: Push updated PO files # run only when a PO file has been updated - if: steps.check_changes.outputs.po_updated == 'true' + if: steps.check_changes.outputs.updated == 'true' working-directory: ./agama run: | - web/share/update-languages.py > web/src/languages.json - # use a unique branch to avoid possible conflicts with already existing branches + # use an unique branch to avoid possible conflicts with already existing branches git checkout -b "po_merge_${GITHUB_RUN_ID}" - git commit -a -m "Update web PO files"$'\n\n'"Agama-weblate commit: `git -C ../agama-weblate rev-parse HEAD`" + git commit -a -m "Update web translation files"$'\n\n'"Agama-weblate commit: `git -C ../agama-weblate rev-parse HEAD`" git push origin "po_merge_${GITHUB_RUN_ID}" - name: Create pull request # run only when a PO file has been updated - if: steps.check_changes.outputs.po_updated == 'true' + if: steps.check_changes.outputs.updated == 'true' working-directory: ./agama run: | gh pr create -B master -H "po_merge_${GITHUB_RUN_ID}" \ --label translations --label bot \ - --title "Update web PO files" \ + --title "Update web translation files" \ --body "Updating the web translation files from the agama-weblate repository" env: GH_TOKEN: ${{ github.token }} diff --git a/live/Makefile b/live/Makefile index fdec9d7b13..cb1535e0d9 100644 --- a/live/Makefile +++ b/live/Makefile @@ -14,6 +14,7 @@ FLAVOR = openSUSE # the default OBS project, # to use a different project run "make build OBS_PROJECT=" OBS_PROJECT = "systemsmanagement:Agama:Devel" +OBS_PACKAGE = "agama-installer" # files to copy from src/ COPY_FILES = $(patsubst $(SRCDIR)/%,$(DESTDIR)/%,$(wildcard $(SRCDIR)/*)) @@ -52,7 +53,7 @@ $(DESTDIR)/%.tar.xz: % $$(shell find % -type f,l) # build the ISO locally build: $(DESTDIR) - if [ ! -e $(DESTDIR)/.osc ]; then make clean; osc co -o $(DESTDIR) $(OBS_PROJECT) agama-installer-openSUSE; fi + if [ ! -e $(DESTDIR)/.osc ]; then make clean; osc co -o $(DESTDIR) $(OBS_PROJECT) $(OBS_PACKAGE); fi $(MAKE) all (cd $(DESTDIR) && osc build -M $(FLAVOR) images) diff --git a/live/root/tmp/driver_cleanup.rb b/live/root/tmp/driver_cleanup.rb new file mode 100755 index 0000000000..d122a4f68d --- /dev/null +++ b/live/root/tmp/driver_cleanup.rb @@ -0,0 +1,93 @@ +#! /usr/bin/env ruby + +# This script removes not needed multimedia drivers (sound cards, TV cards,...). +# +# By default the script runs in safe mode and only lists the drivers to delete, +# use the "--delete" argument to really delete the drivers. + +require "find" +require "shellwords" + +# class holding the kernel driver data +class Driver + # the driver name, full file path, dependencies + attr_reader :name, :path, :deps + + def initialize(name, path, deps) + @name = name + @path = path + @deps = deps + end + + # load the kernel driver data from the given path recursively + def self.find(dir) + drivers = [] + puts "Scanning kernel modules in #{dir}..." + + return drivers unless File.directory?(dir) + + Find.find(dir) do |path| + if File.file?(path) && path.end_with?(".ko", ".ko.xz", ".ko.zst") + name = File.basename(path).sub(/\.ko(\.xz|\.zst|)\z/, "") + deps = `/usr/sbin/modinfo -F depends #{path.shellescape}`.chomp.split(",") + drivers << Driver.new(name, path, deps) + end + end + + return drivers + end +end + +# delete the kernel drivers in these subdirectories, but keep the drivers used by +# dependencies from other drivers +delete = [ + "kernel/sound", + "kernel/drivers/media", + "kernel/drivers/staging/media" +] + +# in the Live ISO there should be just one kernel installed +dir = Dir["/lib/modules/*"].first + +# drivers to delete +delete_drivers = [] + +# scan the drivers in the delete subdirectories +delete.each do |d| + delete_drivers += Driver.find(File.join(dir, d)) +end + +all_drivers = Driver.find(dir) + +# remove the possibly deleted drivers +all_drivers.reject!{|a| delete_drivers.any?{|d| d.name == a.name}} + +puts "Skipping dependent drivers:" + +# iteratively find the dependant drivers (dependencies of dependencies...) +loop do + referenced = delete_drivers.select do |dd| + all_drivers.any?{|ad| ad.deps.include?(dd.name)} + end + + # no more new dependencies, end of the dependency chain reached + break if referenced.empty? + + puts referenced.map(&:path).sort.join("\n") + + # move the referenced drivers from the "delete" list to the "keep" list + all_drivers += referenced + delete_drivers.reject!{|a| referenced.any?{|d| d.name == a.name}} +end + +puts "Drivers to delete:" +delete = ARGV[0] == "--delete" + +delete_drivers.each do |d| + if (delete) + puts "Deleting #{d.path}" + File.delete(d.path) + else + puts d.path + end +end diff --git a/live/src/agama-installer.changes b/live/src/agama-installer.changes index 1f62f5f957..71d025fd50 100644 --- a/live/src/agama-installer.changes +++ b/live/src/agama-installer.changes @@ -1,3 +1,10 @@ +------------------------------------------------------------------- +Thu Nov 28 08:58:21 UTC 2024 - Ladislav Slezák + +- Less aggressive kernel driver cleanup, keep the multimedia + drivers which are needed as dependencies of other drivers + (usually graphic card drivers) (gh#agama-project/agama#1665) + ------------------------------------------------------------------- Wed Nov 13 12:20:23 UTC 2024 - Lubos Kocman diff --git a/live/src/config.sh b/live/src/config.sh index bd42866886..24605fedec 100644 --- a/live/src/config.sh +++ b/live/src/config.sh @@ -160,10 +160,11 @@ rpm -e --nodeps alsa alsa-utils alsa-ucm-conf || true # and remove the drivers for sound cards and TV cards instead. Those do not # make sense on a server. du -h -s /lib/modules /lib/firmware -# delete sound drivers -rm -rfv /lib/modules/*/kernel/sound -# delete TV cards and radio cards -rm -rfv /lib/modules/*/kernel/drivers/media/ + +# remove the multimedia drivers +/tmp/driver_cleanup.rb --delete +# remove the script, not needed anymore +rm /tmp/driver_cleanup.rb # remove the unused firmware (not referenced by kernel drivers) /tmp/fw_cleanup.rb --delete diff --git a/rust/agama-lib/share/profile.schema.json b/rust/agama-lib/share/profile.schema.json index d9fcb9a5d3..bfac779c96 100644 --- a/rust/agama-lib/share/profile.schema.json +++ b/rust/agama-lib/share/profile.schema.json @@ -28,6 +28,14 @@ "items": { "$ref": "#/$defs/script" } + }, + "init": { + "title": "Init scripts", + "description": "User-defined scripts to run booting the installed system", + "type": "array", + "items": { + "$ref": "#/$defs/script" + } } } }, @@ -298,30 +306,13 @@ "items": { "title": "List of EAP methods used", "type": "string", - "enum": [ - "leap", - "md5", - "tls", - "peap", - "ttls", - "pwd", - "fast" - ] + "enum": ["leap", "md5", "tls", "peap", "ttls", "pwd", "fast"] } }, "phase2Auth": { "title": "Phase 2 inner auth method", "type": "string", - "enum": [ - "pap", - "chap", - "mschap", - "mschapv2", - "gtc", - "otp", - "md5", - "tls" - ] + "enum": ["pap", "chap", "mschap", "mschapv2", "gtc", "otp", "md5", "tls"] }, "identity": { "title": "Identity string, often for example the user's login name", @@ -977,10 +968,7 @@ "examples": [1024, 2048] }, "sizeValue": { - "anyOf": [ - { "$ref": "#/$defs/sizeString" }, - { "$ref": "#/$defs/sizeInteger" } - ] + "anyOf": [{ "$ref": "#/$defs/sizeString" }, { "$ref": "#/$defs/sizeInteger" }] }, "sizeValueWithCurrent": { "anyOf": [ @@ -1007,12 +995,7 @@ }, "minItems": 1, "maxItems": 2, - "examples": [ - [1024, "current"], - ["1 GiB", "5 GiB"], - [1024, "2 GiB"], - ["2 GiB"] - ] + "examples": [[1024, "current"], ["1 GiB", "5 GiB"], [1024, "2 GiB"], ["2 GiB"]] }, { "title": "Size range", @@ -1370,15 +1353,7 @@ }, "id": { "title": "Partition ID", - "enum": [ - "linux", - "swap", - "lvm", - "raid", - "esp", - "prep", - "bios_boot" - ] + "enum": ["linux", "swap", "lvm", "raid", "esp", "prep", "bios_boot"] }, "size": { "title": "Partition size", diff --git a/rust/agama-lib/src/scripts/model.rs b/rust/agama-lib/src/scripts/model.rs index f32769b78a..4c6df019f1 100644 --- a/rust/agama-lib/src/scripts/model.rs +++ b/rust/agama-lib/src/scripts/model.rs @@ -40,6 +40,7 @@ use super::ScriptError; pub enum ScriptsGroup { Pre, Post, + Init, } #[derive(Clone, Debug, Serialize, Deserialize, utoipa::ToSchema)] @@ -68,10 +69,7 @@ impl Script { /// * `workdir`: where to write assets (script, logs and exit code). pub async fn run(&self, workdir: &Path) -> Result<(), ScriptError> { let dir = workdir.join(self.group.to_string()); - let path = dir.join(&self.name); - self.write(&path).await?; - let output = process::Command::new(&path).output()?; let stdout_log = dir.join(format!("{}.log", &self.name)); @@ -128,13 +126,22 @@ impl ScriptsRepository { /// Adds a new script to the repository. /// /// * `script`: script to add. - pub fn add(&mut self, script: Script) { + pub async fn add(&mut self, script: Script) -> Result<(), ScriptError> { + let workdir = self.workdir.join(script.group.to_string()); + std::fs::create_dir_all(&workdir)?; + let path = workdir.join(&script.name); + script.write(&path).await?; self.scripts.push(script); + Ok(()) } /// Removes all the scripts from the repository. - pub fn clear(&mut self) { + pub fn clear(&mut self) -> Result<(), ScriptError> { self.scripts.clear(); + if self.workdir.exists() { + std::fs::remove_dir_all(&self.workdir)?; + } + Ok(()) } /// Runs the scripts in the given group. @@ -142,8 +149,6 @@ impl ScriptsRepository { /// They run in the order they were added to the repository. If does not return an error /// if running a script fails, although it logs the problem. pub async fn run(&self, group: ScriptsGroup) -> Result<(), ScriptError> { - let workdir = self.workdir.join(group.to_string()); - std::fs::create_dir_all(&workdir)?; let scripts: Vec<_> = self.scripts.iter().filter(|s| s.group == group).collect(); for script in scripts { if let Err(error) = script.run(&self.workdir).await { @@ -188,7 +193,7 @@ mod test { }, group: ScriptsGroup::Pre, }; - repo.add(script); + repo.add(script).await.unwrap(); let script = repo.scripts.first().unwrap(); assert_eq!("test".to_string(), script.name); @@ -205,7 +210,7 @@ mod test { source: ScriptSource::Text { body }, group: ScriptsGroup::Pre, }; - repo.add(script); + repo.add(script).await.unwrap(); repo.run(ScriptsGroup::Pre).await.unwrap(); repo.scripts.first().unwrap(); @@ -220,4 +225,23 @@ mod test { let body = String::from_utf8(body).unwrap(); assert_eq!("error\n", body); } + + #[test] + async fn test_clear_scripts() { + let tmp_dir = TempDir::with_prefix("scripts-").expect("a temporary directory"); + let mut repo = ScriptsRepository::new(&tmp_dir); + let body = "#!/bin/bash\necho hello\necho error >&2".to_string(); + + let script = Script { + name: "test".to_string(), + source: ScriptSource::Text { body }, + group: ScriptsGroup::Pre, + }; + repo.add(script).await.unwrap(); + + let script_path = tmp_dir.path().join("pre").join("test"); + assert!(script_path.exists()); + _ = repo.clear(); + assert!(!script_path.exists()); + } } diff --git a/rust/agama-lib/src/scripts/settings.rs b/rust/agama-lib/src/scripts/settings.rs index ddc5f69d8e..d4d52ea1ba 100644 --- a/rust/agama-lib/src/scripts/settings.rs +++ b/rust/agama-lib/src/scripts/settings.rs @@ -26,11 +26,14 @@ use super::{Script, ScriptSource}; #[serde(rename_all = "camelCase")] pub struct ScriptsConfig { /// User-defined pre-installation scripts - #[serde(skip_serializing_if = "Vec::is_empty")] - pub pre: Vec, + #[serde(skip_serializing_if = "Option::is_none")] + pub pre: Option>, /// User-defined post-installation scripts - #[serde(skip_serializing_if = "Vec::is_empty")] - pub post: Vec, + #[serde(skip_serializing_if = "Option::is_none")] + pub post: Option>, + /// User-defined init scripts + #[serde(skip_serializing_if = "Option::is_none")] + pub init: Option>, } #[derive(Debug, Clone, Serialize, Deserialize)] diff --git a/rust/agama-lib/src/scripts/store.rs b/rust/agama-lib/src/scripts/store.rs index 82f165cbe5..ae503fcc1c 100644 --- a/rust/agama-lib/src/scripts/store.rs +++ b/rust/agama-lib/src/scripts/store.rs @@ -18,47 +18,68 @@ // To contact SUSE LLC about this file by physical or electronic mail, you may // find current contact information at www.suse.com. -use crate::{base_http_client::BaseHTTPClient, error::ServiceError}; +use crate::{ + base_http_client::BaseHTTPClient, + error::ServiceError, + software::{model::ResolvableType, SoftwareHTTPClient}, +}; use super::{client::ScriptsClient, settings::ScriptsConfig, Script, ScriptConfig, ScriptsGroup}; pub struct ScriptsStore { - client: ScriptsClient, + scripts: ScriptsClient, + software: SoftwareHTTPClient, } impl ScriptsStore { pub fn new(client: BaseHTTPClient) -> Self { Self { - client: ScriptsClient::new(client), + scripts: ScriptsClient::new(client.clone()), + software: SoftwareHTTPClient::new(client), } } pub async fn load(&self) -> Result { - let scripts = self.client.scripts().await?; + let scripts = self.scripts.scripts().await?; Ok(ScriptsConfig { pre: Self::to_script_configs(&scripts, ScriptsGroup::Pre), post: Self::to_script_configs(&scripts, ScriptsGroup::Post), + init: Self::to_script_configs(&scripts, ScriptsGroup::Init), }) } pub async fn store(&self, settings: &ScriptsConfig) -> Result<(), ServiceError> { - self.client.delete_scripts().await?; + self.scripts.delete_scripts().await?; - for pre in &settings.pre { - self.client - .add_script(&Self::to_script(pre, ScriptsGroup::Pre)) - .await?; + if let Some(scripts) = &settings.pre { + for pre in scripts { + self.scripts + .add_script(&Self::to_script(pre, ScriptsGroup::Pre)) + .await?; + } } - for post in &settings.post { - self.client - .add_script(&Self::to_script(post, ScriptsGroup::Post)) - .await?; + if let Some(scripts) = &settings.post { + for post in scripts { + self.scripts + .add_script(&Self::to_script(post, ScriptsGroup::Post)) + .await?; + } } - // TODO: find a better play to run the scripts (before probing). - self.client.run_scripts(ScriptsGroup::Pre).await?; + let mut packages = vec![]; + if let Some(scripts) = &settings.init { + for init in scripts { + self.scripts + .add_script(&Self::to_script(init, ScriptsGroup::Init)) + .await?; + } + packages.push("agama-scripts"); + } + self.software + .set_resolvables("agama-scripts", ResolvableType::Package, &packages, true) + .await?; Ok(()) } @@ -71,11 +92,17 @@ impl ScriptsStore { } } - fn to_script_configs(scripts: &[Script], group: ScriptsGroup) -> Vec { - scripts + fn to_script_configs(scripts: &[Script], group: ScriptsGroup) -> Option> { + let configs: Vec<_> = scripts .iter() .filter(|s| s.group == group) .map(|s| s.into()) - .collect() + .collect(); + + if configs.is_empty() { + return None; + } + + Some(configs) } } diff --git a/rust/agama-lib/src/software/client.rs b/rust/agama-lib/src/software/client.rs index fde5d31c20..5a901d29fb 100644 --- a/rust/agama-lib/src/software/client.rs +++ b/rust/agama-lib/src/software/client.rs @@ -18,7 +18,10 @@ // To contact SUSE LLC about this file by physical or electronic mail, you may // find current contact information at www.suse.com. -use super::proxies::Software1Proxy; +use super::{ + model::ResolvableType, + proxies::{ProposalProxy, Software1Proxy}, +}; use crate::error::ServiceError; use serde::Serialize; use serde_repr::Serialize_repr; @@ -74,12 +77,14 @@ impl TryFrom for SelectedBy { #[derive(Clone)] pub struct SoftwareClient<'a> { software_proxy: Software1Proxy<'a>, + proposal_proxy: ProposalProxy<'a>, } impl<'a> SoftwareClient<'a> { pub async fn new(connection: Connection) -> Result, ServiceError> { Ok(Self { software_proxy: Software1Proxy::new(&connection).await?, + proposal_proxy: ProposalProxy::new(&connection).await?, }) } @@ -172,4 +177,24 @@ impl<'a> SoftwareClient<'a> { pub async fn probe(&self) -> Result<(), ServiceError> { Ok(self.software_proxy.probe().await?) } + + /// Updates the resolvables list. + /// + /// * `id`: resolvable list ID. + /// * `r#type`: type of the resolvables. + /// * `resolvables`: resolvables to add. + /// * `optional`: whether the resolvables are optional. + pub async fn set_resolvables( + &self, + id: &str, + r#type: ResolvableType, + resolvables: &[&str], + optional: bool, + ) -> Result<(), ServiceError> { + let names: Vec<_> = resolvables.iter().map(|r| r.as_ref()).collect(); + self.proposal_proxy + .set_resolvables(id, r#type as u8, &names, optional) + .await?; + Ok(()) + } } diff --git a/rust/agama-lib/src/software/http_client.rs b/rust/agama-lib/src/software/http_client.rs index 4a770e6afb..21877e9b84 100644 --- a/rust/agama-lib/src/software/http_client.rs +++ b/rust/agama-lib/src/software/http_client.rs @@ -22,6 +22,8 @@ use crate::software::model::SoftwareConfig; use crate::{base_http_client::BaseHTTPClient, error::ServiceError}; use std::collections::HashMap; +use super::model::{ResolvableParams, ResolvableType}; + pub struct SoftwareHTTPClient { client: BaseHTTPClient, } @@ -74,4 +76,22 @@ impl SoftwareHTTPClient { }; self.set_config(&config).await } + + /// Sets a resolvable list + pub async fn set_resolvables( + &self, + name: &str, + r#type: ResolvableType, + names: &[&str], + optional: bool, + ) -> Result<(), ServiceError> { + let path = format!("/software/resolvables/{}", name); + let options = ResolvableParams { + names: names.iter().map(|n| n.to_string()).collect(), + r#type, + optional, + }; + self.client.put_void(&path, &options).await?; + Ok(()) + } } diff --git a/rust/agama-lib/src/software/model.rs b/rust/agama-lib/src/software/model.rs index 1a5ba5a65b..31f81fbcaf 100644 --- a/rust/agama-lib/src/software/model.rs +++ b/rust/agama-lib/src/software/model.rs @@ -80,3 +80,23 @@ impl TryFrom for RegistrationRequirement { } } } + +/// Software resolvable type (package or pattern). +#[derive(Deserialize, Serialize, strum::Display, utoipa::ToSchema)] +#[strum(serialize_all = "camelCase")] +#[serde(rename_all = "camelCase")] +pub enum ResolvableType { + Package = 0, + Pattern = 1, +} + +/// Resolvable list specification. +#[derive(Deserialize, Serialize, utoipa::ToSchema)] +pub struct ResolvableParams { + /// List of resolvables. + pub names: Vec, + /// Resolvable type. + pub r#type: ResolvableType, + /// Whether the resolvables are optional or not. + pub optional: bool, +} diff --git a/rust/agama-lib/src/software/proxies/proposal.rs b/rust/agama-lib/src/software/proxies/proposal.rs index f699b6f6a4..bc88a686c0 100644 --- a/rust/agama-lib/src/software/proxies/proposal.rs +++ b/rust/agama-lib/src/software/proxies/proposal.rs @@ -42,6 +42,7 @@ use zbus::proxy; #[proxy( default_service = "org.opensuse.Agama.Software1", + default_path = "/org/opensuse/Agama/Software1/Proposal", interface = "org.opensuse.Agama.Software1.Proposal", assume_defaults = true )] diff --git a/rust/agama-lib/src/store.rs b/rust/agama-lib/src/store.rs index ef2c24dbea..14efddfea5 100644 --- a/rust/agama-lib/src/store.rs +++ b/rust/agama-lib/src/store.rs @@ -94,10 +94,10 @@ impl Store { pub async fn store(&self, settings: &InstallSettings) -> Result<(), ServiceError> { if let Some(scripts) = &settings.scripts { self.scripts.store(scripts).await?; - } - if settings.scripts.as_ref().is_some_and(|s| !s.pre.is_empty()) { - self.run_pre_scripts().await?; + if scripts.pre.as_ref().is_some_and(|s| !s.is_empty()) { + self.run_pre_scripts().await?; + } } if let Some(network) = &settings.network { diff --git a/rust/agama-server/src/scripts/web.rs b/rust/agama-server/src/scripts/web.rs index 9fa8f70462..6957c20094 100644 --- a/rust/agama-server/src/scripts/web.rs +++ b/rust/agama-server/src/scripts/web.rs @@ -81,7 +81,7 @@ async fn add_script( Json(script): Json - - diff --git a/web/src/lib/cockpit-po-plugin.js b/web/src/lib/cockpit-po-plugin.js deleted file mode 100644 index 3bcb26cc42..0000000000 --- a/web/src/lib/cockpit-po-plugin.js +++ /dev/null @@ -1,140 +0,0 @@ -const path = require("path"); -const glob = require("glob"); -const fs = require("fs"); -const gettext_parser = require('gettext-parser'); -const Jed = require('jed'); -const webpack = require('webpack'); - -const srcdir = process.env.SRCDIR || path.resolve(__dirname, '..', '..'); - -module.exports = class { - constructor(options) { - if (!options) - options = {}; - this.subdir = options.subdir || ''; - this.reference_patterns = options.reference_patterns; - this.wrapper = options.wrapper || 'cockpit.locale(PO_DATA);'; - } - - get_po_files(compilation) { - try { - const linguas_file = path.resolve(srcdir, "po/LINGUAS"); - const linguas = fs.readFileSync(linguas_file, 'utf8').match(/\S+/g); - compilation.fileDependencies.add(linguas_file); // Only after reading the file - return linguas.map(lang => path.resolve(srcdir, 'po', lang + '.po')); - } catch (error) { - if (error.code !== 'ENOENT') { - throw error; - } - - /* No LINGUAS file? Fall back to globbing. - * Note: we won't detect .po files being added in this case. - */ - return glob.sync(path.resolve(srcdir, 'po/*.po')); - } - } - - apply(compiler) { - compiler.hooks.thisCompilation.tap('CockpitPoPlugin', compilation => { - compilation.hooks.processAssets.tapPromise( - { - name: 'CockpitPoPlugin', - stage: webpack.Compilation.PROCESS_ASSETS_STAGE_ADDITIONAL, - }, - () => Promise.all(this.get_po_files(compilation).map(f => this.buildFile(f, compilation))) - ); - }); - } - - get_plural_expr(statement) { - try { - /* Check that the plural forms isn't being sneaky since we build a function here */ - Jed.PF.parse(statement); - } catch (ex) { - console.error("bad plural forms: " + ex.message); - process.exit(1); - } - - const expr = statement.replace(/nplurals=[1-9]; plural=([^;]*);?$/, '(n) => $1'); - if (expr === statement) { - console.error("bad plural forms: " + statement); - process.exit(1); - } - - return expr; - } - - build_patterns(compilation, extras) { - const patterns = [ - // all translations for that page, including manifest.json and *.html - `pkg/${this.subdir}.*`, - ]; - - // add translations from libraries outside of page directory - compilation.getStats().compilation.fileDependencies.forEach(path => { - if (path.startsWith(srcdir) && path.indexOf('node_modules/') < 0) - patterns.push(path.slice(srcdir.length + 1)); - }); - - Array.prototype.push.apply(patterns, extras); - - return patterns.map((p) => new RegExp(`^${p}:[0-9]+$`)); - } - - check_reference_patterns(patterns, references) { - for (const reference of references) { - for (const pattern of patterns) { - if (reference.match(pattern)) { - return true; - } - } - } - } - - buildFile(po_file, compilation) { - compilation.fileDependencies.add(po_file); - - return new Promise((resolve, reject) => { - const patterns = this.build_patterns(compilation, this.reference_patterns); - - const parsed = gettext_parser.po.parse(fs.readFileSync(po_file), 'utf8'); - delete parsed.translations[""][""]; // second header copy - - // cockpit.js only looks at "plural-forms" and "language" - const chunks = [ - '{\n', - ' "": {\n', - ` "plural-forms": ${this.get_plural_expr(parsed.headers['plural-forms'])},\n`, - ` "language": "${parsed.headers.language}"\n`, - ' }' - ]; - for (const [msgctxt, context] of Object.entries(parsed.translations)) { - const context_prefix = msgctxt ? msgctxt + '\u0004' : ''; /* for cockpit.ngettext */ - - for (const [msgid, translation] of Object.entries(context)) { - const references = translation.comments.reference.split(/\s/); - if (!this.check_reference_patterns(patterns, references)) - continue; - - if (translation.comments.flag && translation.comments.flag.match(/\bfuzzy\b/)) - continue; - - const key = JSON.stringify(context_prefix + msgid); - // cockpit.js always ignores the first item - chunks.push(`,\n ${key}: [\n null`); - for (const str of translation.msgstr) { - chunks.push(',\n ' + JSON.stringify(str)); - } - chunks.push('\n ]'); - } - } - chunks.push('\n}'); - - const output = this.wrapper.replace('PO_DATA', chunks.join('')) + '\n'; - - const lang = path.basename(po_file).slice(0, -3); - compilation.emitAsset(this.subdir + 'po.' + lang + '.js', new webpack.sources.RawSource(output)); - resolve(); - }); - } -}; diff --git a/web/src/lib/webpack-po-handler.js b/web/src/lib/webpack-po-handler.js deleted file mode 100644 index 9d9a51a38b..0000000000 --- a/web/src/lib/webpack-po-handler.js +++ /dev/null @@ -1,33 +0,0 @@ -const fs = require("fs"); -const path = require("path"); - -// Cockpit internally returns the "po..js" file content for the -// "po.js" request, reimplement it with a simple redirection (the JS file -// only exists in the webpack memory, we cannot read it from disk) -// -// This function processes the webpack HTTP request. -// -// @param req HTTP request -// @param res HTTP response -module.exports = function (req, res) { - // the regexp was taken from the original Cockpit code :-) - const language = req.headers.cookie.replace(/(?:(?:^|.*;\s*)agamaLang\s*=\s*([^;]*).*$)|^.*$/, "$1") || ""; - // the cookie uses "pt-br" format while the PO file is "pt_BR" :-/ - let [lang, country] = language.split("-"); - country = country?.toUpperCase(); - - // first check the full locale ("pt_BR") PO file - if (fs.existsSync(path.join(__dirname, "..", "..", "po", `${lang}_${country}.po`))) { - res.redirect(`/po.${lang}_${country}.js`); - } else { - // then check the language part only ("pt") PO file - if (fs.existsSync(path.join(__dirname, "..", "..", "po", `${lang}.po`))) { - res.redirect(`/po.${lang}.js`); - } else { - if (lang !== "en") console.log(`translation "${language}" not found`); - // Cockpit returns an empty script if the translation file is missing - res.set("Content-Type", "application/javascript"); - res.send(""); - } - } -}; diff --git a/web/po/README.md b/web/src/po/README.md similarity index 89% rename from web/po/README.md rename to web/src/po/README.md index 36f25e37bd..0c1f32d357 100644 --- a/web/po/README.md +++ b/web/src/po/README.md @@ -1,7 +1,8 @@ # Translations This directory contains translation files for the web frontend part of the Agama -installer. See more details in the main [i18n](../../doc/i18n.md) documentation. +installer. See more details in the main +[i18n](https://agama-project.github.io/docs/devel/i18n) documentation. ## Contribution diff --git a/web/src/po/po.ca.js b/web/src/po/po.ca.js new file mode 100644 index 0000000000..45844810a6 --- /dev/null +++ b/web/src/po/po.ca.js @@ -0,0 +1,1480 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "ca" + }, + " Timezone selection": [ + " Selecció de la zona horària" + ], + " and ": [ + " i " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s a %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "Partició %1$s per a %2$s (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "Volum %1$s per a %2$s (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "Arrel %1$s a %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "Partició d'arrel %1$s (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "Volum d'arrel de %1$s (%2$s)" + ], + "%d partition will be shrunk": [ + "S'encongirà %d partició.", + "S'encongiran %d particions." + ], + "%s disk": [ + "Disc %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s és un sistema immutable amb actualitzacions atòmiques. Usa un sistema de fitxers Btrfs només de lectura actualitzat a través d'instantànies." + ], + "%s logo": [ + "Logotip per a %s" + ], + "%s with %d partitions": [ + "%s amb %d particions" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Cal un punt de muntatge." + ], + "A new LVM Volume Group": [ + "un grup de volums d'LVM nou" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "S'assignarà un grup de volums nou al disc seleccionat i el sistema de fitxers es crearà com a volum lògic." + ], + "A size value is required": [ + "Cal un valor de mida" + ], + "Accept": [ + "Accepta-ho" + ], + "Action": [ + "Acció" + ], + "Actions": [ + "Accions" + ], + "Actions for connection %s": [ + "Accions per a la connexió %s" + ], + "Actions to find space": [ + "Accions per aconseguir espai" + ], + "Activate": [ + "Activa" + ], + "Activate disks": [ + "Activa els discs" + ], + "Activate new disk": [ + "Activa el disc nou" + ], + "Activate zFCP disk": [ + "Activa el disc zFCP" + ], + "Activated": [ + "Activat" + ], + "Add %s file system": [ + "Afegeix-hi un sistema de fitxers %s" + ], + "Add DNS": [ + "Afegeix-hi un DNS" + ], + "Add a SSH Public Key for root": [ + "Afegiu una clau pública SSH per a l'arrel" + ], + "Add an address": [ + "Afegeix-hi una adreça" + ], + "Add another DNS": [ + "Afegeix-hi un altre DNS" + ], + "Add another address": [ + "Afegeix-hi una altra adreça" + ], + "Add file system": [ + "Afegeix-hi un sistema de fitxers" + ], + "Address": [ + "Adreça" + ], + "Addresses": [ + "Adreces" + ], + "Addresses data list": [ + "Llista de dades d'adreces" + ], + "All fields are required": [ + "Tots els camps són obligatoris." + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Totes les particions se suprimiran i es perdran les dades dels discs." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Permet arrencar amb una versió anterior del sistema després de canvis de configuració o actualitzacions de programari." + ], + "Already set": [ + "Ja s'ha establert" + ], + "An existing disk": [ + "un disc existent" + ], + "At least one address must be provided for selected mode": [ + "S'ha de proporcionar almenys una adreça per al mode seleccionat." + ], + "At this point you can power off the machine.": [ + "En aquest punt, podeu aturar la màquina." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "En aquest punt, podeu reiniciar la màquina per iniciar sessió al sistema nou." + ], + "Authentication by initiator": [ + "Autenticació per iniciador" + ], + "Authentication by target": [ + "Autenticació per destinació" + ], + "Authentication failed, please try again": [ + "Hi ha hagut un error d'autenticació. Torneu-ho a provar." + ], + "Auto": [ + "Automàtica" + ], + "Auto LUNs Scan": [ + "Escaneig automàtic de LUN" + ], + "Auto-login": [ + "Entrada automàtica" + ], + "Automatic": [ + "Automàtica" + ], + "Automatic (DHCP)": [ + "Automàtic (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "L'exploració automàtica de LUN està [desactivada]. Els LUN s'han de configurar manualment després d'activar un controlador." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "L'exploració automàtica de LUN està [activada]. L'activació d'un controlador que s'executa en mode NPIV configurarà automàticament tots els seus LUN." + ], + "Automatically calculated size according to the selected product.": [ + "Mida calculada automàticament segons el producte seleccionat." + ], + "Available products": [ + "Productes disponibles" + ], + "Back": [ + "Enrere" + ], + "Back to device selection": [ + "Torna a la selecció del dispositiu" + ], + "Before %s": [ + "Abans: %s" + ], + "Before installing, please check the following problems.": [ + "Abans d'instal·lar, comproveu els problemes següents." + ], + "Before starting the installation, you need to address the following problems:": [ + "Abans de començar la instal·lació, heu de resoldre els problemes següents:" + ], + "Boot partitions at %s": [ + "Particions per l'arrencada a %s" + ], + "Boot partitions at installation disk": [ + "Particions per a l'arrencada al disc d'instal·lació" + ], + "Btrfs root partition with snapshots (%s)": [ + "Partició d'arrel Btrfs amb instantànies (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Volum d'arrel Btrfs amb instantànies (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs amb instantànies" + ], + "Cancel": [ + "Cancel·la" + ], + "Cannot accommodate the required file systems for installation": [ + "No es poden acomodar els sistemes de fitxers necessaris per a la instal·lació." + ], + "Cannot be changed in remote installation": [ + "No es pot canviar a la instal·lació remota." + ], + "Cannot connect to Agama server": [ + "No es pot connectar amb el servidor d'Agama." + ], + "Cannot format all selected devices": [ + "No es poden formatar tots els dispositius seleccionats." + ], + "Change": [ + "Canvia" + ], + "Change boot options": [ + "Canvia les opcions d'arrencada" + ], + "Change location": [ + "Canvia la ubicació" + ], + "Change product": [ + "Canvia el producte" + ], + "Change selection": [ + "Canvia la selecció" + ], + "Change the root password": [ + "Canvia la contrasenya d'arrel" + ], + "Channel ID": [ + "Identificador del canal" + ], + "Check the planned action": [ + "Marca l'acció planificada", + "Marca les %d accions planificades" + ], + "Choose a disk for placing the boot loader": [ + "Trieu un disc per posar-hi el carregador d'arrencada" + ], + "Clear": [ + "Neteja" + ], + "Close": [ + "Tanca" + ], + "Configuring the product, please wait ...": [ + "Configurant el producte. Espereu, si us plau..." + ], + "Confirm": [ + "Confirmeu-ho" + ], + "Confirm Installation": [ + "Confirmeu la instal·lació" + ], + "Congratulations!": [ + "Enhorabona!" + ], + "Connect": [ + "Connecta't" + ], + "Connect to a Wi-Fi network": [ + "Connecteu-vos a una xarxa Wi-Fi" + ], + "Connect to hidden network": [ + "Connecta't a una xarxa oculta" + ], + "Connect to iSCSI targets": [ + "Connecta amb objectius iSCSI" + ], + "Connected": [ + "Connectat" + ], + "Connected (%s)": [ + "Connectat (%s)" + ], + "Connected to %s": [ + "Connectat amb %s" + ], + "Connecting": [ + "Connectant" + ], + "Connection actions": [ + "Accions de connexió" + ], + "Continue": [ + "Continua" + ], + "Controllers": [ + "Controladors" + ], + "Could not authenticate against the server, please check it.": [ + "No s'ha pogut autenticar amb el servidor. Si us plau, reviseu-ho." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "No s'ha pogut iniciar la sessió. Si us plau, assegureu-vos que la contrasenya sigui correcta." + ], + "Create a dedicated LVM volume group": [ + "Crea un grup de volums LVM dedicat" + ], + "Create a new partition": [ + "Crea una partició nova" + ], + "Create user": [ + "Crea un usuari" + ], + "Custom": [ + "Personalitzat" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "Taula de selecció de dispositius DASD" + ], + "DASDs table section": [ + "Secció de taula DASD" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Desactiva" + ], + "Deactivated": [ + "Desactivat" + ], + "Define a user now": [ + "Definiu un usuari ara" + ], + "Delete": [ + "Suprimeix" + ], + "Delete current content": [ + "Suprimeix el contingut actual" + ], + "Destructive actions are allowed": [ + "Es permeten accions destructives." + ], + "Destructive actions are not allowed": [ + "No es permeten accions destructives." + ], + "Details": [ + "Detalls" + ], + "Device": [ + "Dispositiu" + ], + "Device selector for new LVM volume group": [ + "Selector de dispositius per al grup de volums LVM nou" + ], + "Device selector for target disk": [ + "Selector de dispositiu per al disc de destinació" + ], + "Devices: %s": [ + "Dispositius: %s" + ], + "Discard": [ + "Descarta'l" + ], + "Disconnect": [ + "Desconnecta" + ], + "Disconnected": [ + "Desconnectat" + ], + "Discover": [ + "Descobreix" + ], + "Discover iSCSI Targets": [ + "Descobreix les destinacions iSCSI" + ], + "Discover iSCSI targets": [ + "Descobreix destinacions iSCSI" + ], + "Disk": [ + "Disc" + ], + "Disks": [ + "Discs" + ], + "Do not configure": [ + "No ho configuris" + ], + "Do not configure partitions for booting": [ + "No configuris particions per a l'arrencada." + ], + "Do you want to add it?": [ + "L'hi voleu afegir?" + ], + "Do you want to edit it?": [ + "El voleu editar?" + ], + "Download logs": [ + "Baixa els registres" + ], + "Edit": [ + "Edita" + ], + "Edit %s": [ + "Edita %s" + ], + "Edit %s file system": [ + "Edita el sistema de fitxers %s" + ], + "Edit connection %s": [ + "Edita la connexió %s" + ], + "Edit file system": [ + "Edita el sistema de fitxers" + ], + "Edit iSCSI Initiator": [ + "Edita l'iniciador iSCSI" + ], + "Edit password too": [ + "Edita també la contrasenya" + ], + "Edit the SSH Public Key for root": [ + "Edita la clau pública SSH per a l'arrel" + ], + "Edit user": [ + "Edita l'usuari" + ], + "Enable": [ + "Habilita" + ], + "Encrypt the system": [ + "Encripta el sistema" + ], + "Encrypted Device": [ + "Dispositiu encriptat" + ], + "Encryption": [ + "Encriptació" + ], + "Encryption Password": [ + "Contrasenya d'encriptació" + ], + "Exact size": [ + "Mida exacta" + ], + "Exact size for the file system.": [ + "Mida exacta per al sistema de fitxers." + ], + "File system type": [ + "Tipus de sistema de fitxers" + ], + "File systems created as new partitions at %s": [ + "Sistemes de fitxers creats com a particions noves a %s" + ], + "File systems created at a new LVM volume group": [ + "Sistemes de fitxers creats en un nou grup de volums d'LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Sistemes de fitxers creats en un nou grup de volums d'LVM a %s" + ], + "Filter by description or keymap code": [ + "Filtra per descripció o codi de mapa de tecles" + ], + "Filter by language, territory or locale code": [ + "Filtra per llengua, territori o codi local" + ], + "Filter by max channel": [ + "Filtra per canal màxim" + ], + "Filter by min channel": [ + "Filtra per canal mínim" + ], + "Filter by pattern title or description": [ + "Filtra per títol o descripció del patró" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtra per territori, codi de zona horària o desplaçament d'UTC" + ], + "Final layout": [ + "Disposició final" + ], + "Finish": [ + "Acaba" + ], + "Finished": [ + "Acabada" + ], + "First user": [ + "Usuari primer" + ], + "Fixed": [ + "Fixa" + ], + "Forget": [ + "Oblida-la" + ], + "Forget connection %s": [ + "Oblida la connexió %s" + ], + "Format": [ + "Formata" + ], + "Format selected devices?": [ + "Voleu formatar els dispositius seleccionats?" + ], + "Format the device": [ + "Formata el dispositiu" + ], + "Formatted": [ + "Formatat" + ], + "Formatting DASD devices": [ + "Formatatge de dispositius DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "L'encriptació de disc complet (FDE) permet protegir la informació emmagatzemada al dispositiu, incloses dades, programes i fitxers del sistema." + ], + "Full name": [ + "Nom complet" + ], + "Gateway": [ + "Passarel·la" + ], + "Gateway can be defined only in 'Manual' mode": [ + "La passarel·la només es pot definir en mode manual." + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Amaga %d acció de subvolum", + "Amaga %d accions de subvolum" + ], + "Hide details": [ + "Amaga els detalls" + ], + "IP Address": [ + "Adreça IP" + ], + "IP address": [ + "Adreça IP" + ], + "IP addresses": [ + "Adreces IP" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Si s'ha usat un mitjà local per executar aquest instal·lador, traieu-lo abans de la propera arrencada." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Si continueu, les particions del disc dur es modificaran segons la configuració d'instal·lació proporcionada." + ], + "In progress": [ + "En curs" + ], + "Incorrect IP address": [ + "Adreça IP incorrecta" + ], + "Incorrect password": [ + "Contrasenya incorrecta" + ], + "Incorrect port": [ + "Port incorrecte" + ], + "Incorrect user name": [ + "Nom d'usuari incorrecte" + ], + "Initiator": [ + "Iniciador" + ], + "Initiator name": [ + "Nom de l'iniciador" + ], + "Install": [ + "Instal·la" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) suprimint tot el contingut dels dispositius subjacents." + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) a %s suprimint-ne tot el contingut." + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) a %s reduint les particions existents segons calgui." + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) a %s amb una estratègia personalitzada per trobar l'espai necessari." + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) a %s sense modificar les particions existents." + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) encongint les particions existents als dispositius subjacents segons calgui." + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) amb una estratègia personalitzada per trobar l'espai necessari als dispositius subjacents." + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Instal·la en un grup de volums nou del Gestor de Volums Lògics (LVM) sense modificar les particions dels dispositius subjacents." + ], + "Install new system on": [ + "Instal·la el sistema nou" + ], + "Install using device %s and deleting all its content": [ + "Instal·la al dispositiu %s suprimint-ne tot el contingut" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Instal·la al dispositiu %s encongint-ne les particions existents segons calgui" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Instal·la usant el dispositiu %s amb una estratègia personalitzada per trobar l'espai necessari." + ], + "Install using device %s without modifying existing partitions": [ + "Instal·la al dispositiu %s sense modificar-ne les particions existents" + ], + "Installation blocking issues": [ + "Problemes de bloqueig de la instal·lació" + ], + "Installation device": [ + "Dispositiu d'instal·lació" + ], + "Installation issues": [ + "Problemes d'instal·lació" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "La instal·lació encara no és possible a causa de problemes. Consulteu-los a la pàgina de resum general." + ], + "Installation will configure partitions for booting at %s.": [ + "La instal·lació configurarà les particions per arrencar a %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "La instal·lació configurarà les particions per arrencar al disc d'instal·lació." + ], + "Installation will not configure partitions for booting.": [ + "La instal·lació no configurarà les particions per a l'arrencada." + ], + "Installation will take %s.": [ + "La instal·lació necessitarà %s." + ], + "Installer Options": [ + "Opcions de l'instal·lador" + ], + "Installer options": [ + "Opcions de l'instal·lador" + ], + "Installing the system, please wait...": [ + "Instal·lant el sistema. Espereu, si us plau..." + ], + "Interface": [ + "Interfície" + ], + "Ip prefix or netmask": [ + "Prefix IP o màscara de xarxa" + ], + "Keyboard": [ + "Teclat" + ], + "Keyboard layout": [ + "Disposició del teclat" + ], + "Keyboard selection": [ + "Selecció del teclat" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Llengua" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Límits per a la mida del sistema de fitxers. La mida final serà un valor entre el mínim i el màxim proporcionats. Si no hi ha cap màxim, el sistema de fitxers serà el més gros possible." + ], + "Loading data...": [ + "Carregant dades..." + ], + "Loading installation environment, please wait.": [ + "Carregant l'entorn d'instal·lació. Espereu, si us plau." + ], + "Locale selection": [ + "Selecció de la llengua" + ], + "Localization": [ + "Localització" + ], + "Location": [ + "Ubicació" + ], + "Location for %s file system": [ + "Ubicació per al sistema de fitxers %s" + ], + "Log in": [ + "Inicia la sessió" + ], + "Log in as %s": [ + "Inicieu sessió com a %s" + ], + "Logical volume at system LVM": [ + "Volum lògic al sistema LVM" + ], + "Login": [ + "Entrada" + ], + "Login %s": [ + "Entrada per a %s" + ], + "Login form": [ + "Forma d'entrada" + ], + "Logout": [ + "Sortida" + ], + "Main disk or LVM Volume Group for installation.": [ + "Disc principal o grup de volums d'LVM per a la instal·lació." + ], + "Main navigation": [ + "Navegació principal" + ], + "Make sure you provide the correct values": [ + "Assegureu-vos que proporcioneu els valors correctes" + ], + "Manage and format": [ + "Gestió i formatatge" + ], + "Manual": [ + "Manual" + ], + "Maximum": [ + "Màxim" + ], + "Maximum desired size": [ + "Mida màxima desitjada" + ], + "Maximum must be greater than minimum": [ + "El màxim ha de ser superior al mínim." + ], + "Members: %s": [ + "Membres: %s" + ], + "Method": [ + "Mètode" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Mínim" + ], + "Minimum desired size": [ + "Mida mínima desitjada" + ], + "Minimum size is required": [ + "Cal una mida mínima" + ], + "Mode": [ + "Mode" + ], + "Modify": [ + "Modifica" + ], + "More info for file system types": [ + "Més informació sobre els tipus de sistemes de fitxers" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Munta %1$s a %2$s (%3$s)" + ], + "Mount Point": [ + "Punt de muntatge" + ], + "Mount point": [ + "Punt de muntatge" + ], + "Mount the file system": [ + "Munta el sistema de fitxers" + ], + "Multipath": [ + "Multicamí" + ], + "Name": [ + "Nom" + ], + "Network": [ + "Xarxa" + ], + "New": [ + "Nova" + ], + "No": [ + "No" + ], + "No Wi-Fi supported": [ + "No és compatible amb Wi-Fi." + ], + "No additional software was selected.": [ + "No s'ha seleccionat cap programari addicional." + ], + "No connected yet": [ + "Encara no s'ha connetat." + ], + "No content found": [ + "No s'ha trobat contingut." + ], + "No device selected yet": [ + "Encara no s'ha seleccionat cap dispositiu." + ], + "No iSCSI targets found.": [ + "No s'ha trobat cap destinació iSCSI." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "No es configurarà automàticament cap partició per a l'arrencada. Useu-ho amb precaució." + ], + "No root authentication method defined yet.": [ + "Encara no s'ha definit cap mètode d'autenticació d'arrel." + ], + "No user defined yet.": [ + "Encara no s'ha definit cap usuari." + ], + "No visible Wi-Fi networks found": [ + "No s'ha trobat cap xarxa Wi-Fi visible." + ], + "No wired connections found": [ + "No s'ha trobat cap connexió amb fil." + ], + "No zFCP controllers found.": [ + "No s'ha trobat cap controlador de zFCP." + ], + "No zFCP disks found.": [ + "No s'ha trobat cap disc zFCP." + ], + "None": [ + "Cap" + ], + "None of the keymaps match the filter.": [ + "Cap dels mapes de tecles coincideix amb el filtre." + ], + "None of the locales match the filter.": [ + "Cap de les llengües coincideix amb el filtre." + ], + "None of the patterns match the filter.": [ + "Cap dels patrons coincideix amb el filtre." + ], + "None of the time zones match the filter.": [ + "Cap de les zones horàries coincideix amb el filtre." + ], + "Not selected yet": [ + "Encara no s'ha seleccionat." + ], + "Not set": [ + "No s'ha establert" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Els dispositius fora de línia s'han d'activar abans de formatar-los. Si us plau, desmarqueu o activeu els dispositius que s'indiquen a continuació i torneu-ho a provar." + ], + "Offload card": [ + "Targeta de descàrrega" + ], + "On boot": [ + "A l'arrencada" + ], + "Only available if authentication by target is provided": [ + "Només està disponible si es proporciona l'autenticació per destinació." + ], + "Options toggle": [ + "Canvi d'opcions" + ], + "Other": [ + "Una altra" + ], + "Overview": [ + "Resum" + ], + "Partition Info": [ + "Informació de la partició" + ], + "Partition at %s": [ + "Partició a %s" + ], + "Partition at installation disk": [ + "Partició al disc d'instal·lació" + ], + "Partitions and file systems": [ + "Particions i sistemes de fitxers" + ], + "Partitions to boot will be allocated at the following device.": [ + "Les particions per a l'arrencada s'assignaran al dispositiu següent." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Les particions per a l'arrencada s'assignaran al disc d'instal·lació (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Les particions per a l'arrencada s'assignaran al disc d'instal·lació." + ], + "Password": [ + "Contrasenya" + ], + "Password Required": [ + "Cal una contrasenya." + ], + "Password confirmation": [ + "Confirmació de la contrasenya" + ], + "Password input": [ + "Introducció de contrasenya" + ], + "Password visibility button": [ + "Botó de visibilitat de la contrasenya" + ], + "Passwords do not match": [ + "Les contrasenyes no coincideixen." + ], + "Pending": [ + "Pendent" + ], + "Perform an action": [ + "Fes una acció" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Accions planificades" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Si us plau, tingueu en compte que cal definir un usuari abans d'instal·lar el sistema per poder-hi iniciar sessió." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Si us plau, cancel·leu i comproveu-ne la configuració si no n'esteu segur." + ], + "Please, check whether it is running.": [ + "Si us plau, comproveu si s'executa." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Si us plau, definiu almenys un mètode d'autenticació per iniciar sessió al sistema com a arrel." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Si us plau, executeu un descobriment d'iSCSI per trobar destinacions iSCSI disponibles." + ], + "Please, provide its password to log in to the system.": [ + "Si us plau, proporcioneu-ne la contrasenya per iniciar sessió al sistema." + ], + "Please, review provided settings and try again.": [ + "Si us plau, reviseu la configuració proporcionada i torneu-ho a provar." + ], + "Please, try to activate a zFCP controller.": [ + "Si us plau, proveu d'activar un controlador de zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Si us plau, proveu d'activar un disc zFCP." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Longitud del prefix o màscara de xarxa" + ], + "Prepare more devices by configuring advanced": [ + "Prepareu més dispositius mitjançant la configuració avançada" + ], + "Presence of other volumes (%s)": [ + "La presència d'altres volums (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Protecció per a la informació emmagatzemada al dispositiu, incloses les dades, els programes i els fitxers del sistema." + ], + "Question": [ + "Pregunta" + ], + "Range": [ + "Interval" + ], + "Read zFCP devices": [ + "Llegeix els dispositius zFCP" + ], + "Reboot": [ + "Reinicia" + ], + "Reload": [ + "Torna a carregar" + ], + "Remove": [ + "Suprimeix" + ], + "Remove max channel filter": [ + "Suprimeix el filtre de canal màxim" + ], + "Remove min channel filter": [ + "Suprimeix el filtre del canal mínim" + ], + "Reset location": [ + "Restableix la ubicació" + ], + "Reset to defaults": [ + "Restableix els valors predeterminats" + ], + "Reused %s": [ + "%s reutilitzat" + ], + "Root SSH public key": [ + "Clau pública SSH per a l'arrel" + ], + "Root authentication": [ + "Autenticació d'arrel" + ], + "Root password": [ + "Contrasenya d'arrel" + ], + "SD Card": [ + "Targeta SD" + ], + "SSH Key": [ + "Clau SSH" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Cerca" + ], + "Security": [ + "Seguretat" + ], + "See more details": [ + "Mostra'n més detalls" + ], + "Select": [ + "Selecciona" + ], + "Select a disk": [ + "Seleccioneu un disc" + ], + "Select a location": [ + "Seleccioneu una ubicació." + ], + "Select a product": [ + "Seleccioneu un producte" + ], + "Select booting partition": [ + "Seleccioneu la partició d'arrencada" + ], + "Select how to allocate the file system": [ + "Seleccioneu com assignar el sistema de fitxers." + ], + "Select in which device to allocate the file system": [ + "Seleccioneu en quin dispositiu assignar el sistema de fitxers." + ], + "Select installation device": [ + "Seleccioneu el dispositiu d'instal·lació" + ], + "Select what to do with each partition.": [ + "Seleccioneu què voleu fer amb cada partició." + ], + "Selected patterns": [ + "Patrons seleccionats" + ], + "Separate LVM at %s": [ + "LVM separat a %s" + ], + "Server IP": [ + "IP del servidor" + ], + "Set": [ + "Estableix" + ], + "Set DIAG Off": [ + "Desactiva la diagnosi" + ], + "Set DIAG On": [ + "Activa la diagnosi" + ], + "Set a password": [ + "Establiu una contrasenya" + ], + "Set a root password": [ + "Establiu una contrasenya d'arrel" + ], + "Set root SSH public key": [ + "Estableix la clau pública SSH per a l'arrel" + ], + "Show %d subvolume action": [ + "Mostra %d acció de subvolum", + "Mostra %d accions de subvolum" + ], + "Show information about %s": [ + "Mostra informació quant a %s" + ], + "Show partitions and file-systems actions": [ + "Mostra les particions i les accions dels sistemes de fitxers" + ], + "Shrink existing partitions": [ + "Encongeix les particions existents" + ], + "Shrinking partitions is allowed": [ + "Es permet encongir particions." + ], + "Shrinking partitions is not allowed": [ + "No es permet encongir particions." + ], + "Shrinking some partitions is allowed but not needed": [ + "Es permet encongir algunes particions, però no cal." + ], + "Size": [ + "Mida" + ], + "Size unit": [ + "Unitat de mida" + ], + "Software": [ + "Programari" + ], + "Software %s": [ + "Programari %s" + ], + "Software selection": [ + "Selecció de programari" + ], + "Something went wrong": [ + "Alguna cosa ha anat malament." + ], + "Space policy": [ + "Política espacial" + ], + "Startup": [ + "Inici" + ], + "Status": [ + "Estat" + ], + "Storage": [ + "Emmagatzematge" + ], + "Storage proposal not possible": [ + "La proposta d'emmagatzematge no és possible." + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Estructura del sistema nou, inclosa qualsevol partició addicional necessària per a arrencar" + ], + "Swap at %1$s (%2$s)": [ + "Intercanvi a %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Partició d'intercanvi (%s)" + ], + "Swap volume (%s)": [ + "Volum d'intercanvi (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "El segellament TPM requereix que el sistema nou s'iniciï directament." + ], + "Table with mount points": [ + "Taula amb punts de muntatge" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Dediqueu el temps que calgui a comprovar la configuració abans de començar el procés d'instal·lació." + ], + "Target Password": [ + "Contrasenya de destinació" + ], + "Targets": [ + "Destinacions" + ], + "The amount of RAM in the system": [ + "La quantitat de RAM del sistema" + ], + "The configuration of snapshots": [ + "La configuració de les instantànies" + ], + "The content may be deleted": [ + "El contingut pot suprimir-se" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "El sistema de fitxers actual a %s està seleccionat per muntar-lo a %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "El sistema de fitxers actual del dispositiu seleccionat es muntarà sense formatar el dispositiu." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Les dades es conserven, però les particions actuals es canviaran de mida segons calgui." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Es conserven les dades. Només s'usarà l'espai no assignat a cap partició." + ], + "The device cannot be shrunk:": [ + "El dispositiu no es pot encongir:" + ], + "The encryption password did not work": [ + "La contrasenya d'encriptació no ha funcionat." + ], + "The file system is allocated at the device %s.": [ + "El sistema de fitxers s'assigna al dispositiu %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "El sistema de fitxers s'assignarà com a partició nova al disc seleccionat." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Els sistemes de fitxers s'assignen al dispositiu d'instal·lació de manera predeterminada. Indiqueu una ubicació personalitzada per crear el sistema de fitxers en un dispositiu específic." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Els sistemes de fitxers s'assignaran per defecte com a [volums lògics d'un nou grup de volums d'LVM]. Els volums físics corresponents es crearan segons demanda com a particions noves als dispositius seleccionats." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Els sistemes de fitxers s'assignaran per defecte com a [particions noves al dispositiu seleccionat]." + ], + "The final size depends on %s.": [ + "La mida final depèn de %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "El pas final per configurar el Mòdul de plataforma de confiança (TPM) per obrir automàticament dispositius encriptats es farà durant la primera arrencada del nou sistema. Perquè això funcioni, la màquina ha d'arrencar directament amb el carregador d'arrencada nou." + ], + "The following software patterns are selected for installation:": [ + "S'han seleccionat els patrons de programari següents per a la instal·lació:" + ], + "The installation on your machine is complete.": [ + "La instal·lació a la màquina s'ha completat." + ], + "The installation will take": [ + "La instal·lació necessitarà" + ], + "The installation will take %s including:": [ + "La instal·lació necessitarà %s, incloent-hi el següent:" + ], + "The installer requires [root] user privileges.": [ + "L'instal·lador requereix privilegis de l'usuari [root]." + ], + "The mount point is invalid": [ + "El punt de muntatge no és vàlid." + ], + "The options for the file system type depends on the product and the mount point.": [ + "Les opcions per al tipus de sistema de fitxers depenen del producte i del punt de muntatge." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "La contrasenya no caldrà per arrencar i accedir a les dades si el TPM pot verificar la integritat del sistema. El segellat de TPM requereix que el nou sistema s'iniciï directament a la primera execució." + ], + "The selected device will be formatted as %s file system.": [ + "El dispositiu seleccionat es formatarà com a sistema de fitxers %s." + ], + "The size of the file system cannot be edited": [ + "La mida del sistema de fitxers no es pot editar." + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "El sistema no admet connexions de wifi, probablement a causa de maquinari que manca o que està inhabilitat." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "El sistema encara no s'ha configurat per connectar-se a una xarxa de wifi." + ], + "The system will use %s as its default language.": [ + "El sistema usarà el %s com a llengua per defecte." + ], + "The systems will be configured as displayed below.": [ + "Els sistemes es configuraran tal com es mostra a continuació." + ], + "The type and size of the file system cannot be edited.": [ + "El tipus i la mida del sistema de fitxers no es poden editar." + ], + "The zFCP disk was not activated.": [ + "El disc zFCP no s'ha activat." + ], + "There is a predefined file system for %s.": [ + "Hi ha un sistema de fitxers predefinit per a %s." + ], + "There is already a file system for %s.": [ + "Ja hi ha un sistema de fitxers per a %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Aquests són els paràmetres d'instal·lació més rellevants. No dubteu a navegar per les seccions del menú per a més detalls." + ], + "These limits are affected by:": [ + "Aquests límits estan afectats pel següent:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Aquesta acció podria destruir qualsevol dada emmagatzemada als dispositius que s'indiquen a continuació. Si us plau, confirmeu que realment voleu continuar." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Aquest producte no permet seleccionar patrons de programari durant la instal·lació. Tanmateix, hi podeu afegir programari addicional un cop acabada la instal·lació." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Aquest espai inclou el sistema de base i els patrons de programari seleccionats, si n'hi ha." + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Zona horària" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Per garantir que el sistema nou pugui arrencar, és possible que l'instal·lador hagi de crear o configurar algunes particions al disc adequat." + ], + "Transactional Btrfs": [ + "Btrfs transaccional" + ], + "Transactional Btrfs root partition (%s)": [ + "Partició d'arrel Btrfs transaccional (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Volum d'arrel de Btrfs transaccional (%s)" + ], + "Transactional root file system": [ + "Sistema de fitxers d'arrel transaccional" + ], + "Type": [ + "Tipus" + ], + "Unit for the maximum size": [ + "Unitat per a la mida màxima" + ], + "Unit for the minimum size": [ + "Unitat per a la mida mínima" + ], + "Unselect": [ + "Desmarca" + ], + "Unused space": [ + "Espai sense ús" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Es poden recuperar fins a %s encongint el dispositiu." + ], + "Upload": [ + "Carrega" + ], + "Upload a SSH Public Key": [ + "Carrega una clau pública SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Carregueu, enganxeu o deixeu-hi anar una clau pública SSH" + ], + "Usage": [ + "Ús" + ], + "Use Btrfs snapshots for the root file system": [ + "Usa instantànies de Btrfs per al sistema de fitxers d'arrel." + ], + "Use available space": [ + "Usa l'espai disponible" + ], + "Use suggested username": [ + "Usa el nom d'usuari suggerit" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Useu el mòdul de plataforma de confiança (TPM) per fer-ne la desencriptació automàticament a cada arrencada." + ], + "User full name": [ + "Nom complet de l'usuari" + ], + "User name": [ + "Nom d'usuari" + ], + "Username": [ + "Nom d'usuari" + ], + "Username suggestion dropdown": [ + "Menú desplegable de suggeriments de nom d'usuari" + ], + "Users": [ + "Usuaris" + ], + "Visible Wi-Fi networks": [ + "Xarxes Wi-Fi visibles" + ], + "WPA & WPA2 Personal": [ + "WPA i WPA2 personal" + ], + "WPA Password": [ + "Contrasenya de WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Escrivint" + ], + "Waiting for actions information...": [ + "Esperant la informació de les accions..." + ], + "Waiting for information about storage configuration": [ + "Esperant informació sobre la configuració de l'emmagatzematge" + ], + "Wi-Fi": [ + "Wifi" + ], + "WiFi connection form": [ + "Formulari de connexió per WiFi" + ], + "Wired": [ + "Amb fil" + ], + "Wires: %s": [ + "Cables: %s" + ], + "Yes": [ + "Sí" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "Això afecta" + ], + "at least %s": [ + "almenys %s" + ], + "auto": [ + "automàtica" + ], + "auto selected": [ + "seleccionat automàticament" + ], + "configured": [ + "configurat" + ], + "deleting current content": [ + "suprimint contingut actual." + ], + "disabled": [ + "inhabilitada" + ], + "enabled": [ + "habilitada" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "encongint particions existents." + ], + "storage techs": [ + "tecnologies d'emmagatzematge" + ], + "the amount of RAM in the system": [ + "la quantitat de RAM del sistema" + ], + "the configuration of snapshots": [ + "la configuració de les instantànies" + ], + "the presence of the file system for %s": [ + "la presència del sistema de fitxers per a %s" + ], + "user autologin": [ + "entrada de sessió automàtica de l'usuari" + ], + "using TPM unlocking": [ + "usant el desblocatge de TPM" + ], + "with custom actions": [ + "amb accions personalitzades." + ], + "without modifying any partition": [ + "sense modificar cap partició existent." + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "Activació del disc zFCP" + ], + "zFCP Disk activation form": [ + "Formulari d'activació del disc zFCP" + ] +}; diff --git a/web/src/po/po.cs.js b/web/src/po/po.cs.js new file mode 100644 index 0000000000..8fe6693bf1 --- /dev/null +++ b/web/src/po/po.cs.js @@ -0,0 +1,1484 @@ +export default { + "": { + "plural-forms": (n) => (n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2, + "language": "cs" + }, + " Timezone selection": [ + " Výběr časového pásma" + ], + " and ": [ + " a " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s na %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s oddíl (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s svazek (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s kořen na %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s kořenový oddíl (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s kořenový svazek (%2$s)" + ], + "%d partition will be shrunk": [ + "%d oddíl bude zmenšen", + "%d oddíly budou zmenšeny", + "%d oddílů bude zmenšeno" + ], + "%s disk": [ + "%s disk" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s je neměnný systém s atomickými aktualizacemi. Používá souborový systém Btrfs pouze pro čtení aktualizovaný pomocí snímků." + ], + "%s logo": [ + "%s logo" + ], + "%s with %d partitions": [ + "%s s %d oddíly" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Je vyžadován přípojný bod" + ], + "A new LVM Volume Group": [ + "Nová skupina svazků LVM" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "Na vybraném disku bude vytvořena nová skupina svazků a systém souborů bude vytvořen jako logický svazek." + ], + "A size value is required": [ + "Je vyžadována hodnota velikosti" + ], + "Accept": [ + "Přijmout" + ], + "Action": [ + "Akce" + ], + "Actions": [ + "Akce" + ], + "Actions for connection %s": [ + "Akce pro připojení %s" + ], + "Actions to find space": [ + "Akce k nalezení prostoru" + ], + "Activate": [ + "Aktivace" + ], + "Activate disks": [ + "Aktivace disků" + ], + "Activate new disk": [ + "Aktivace nového disku" + ], + "Activate zFCP disk": [ + "Aktivovat disk zFCP" + ], + "Activated": [ + "Aktivováno" + ], + "Add %s file system": [ + "Přidání souborového systému %s" + ], + "Add DNS": [ + "Přidat DNS" + ], + "Add a SSH Public Key for root": [ + "Přidat veřejný klíč SSH pro uživatele root" + ], + "Add an address": [ + "Přidat adresu" + ], + "Add another DNS": [ + "Přidat další DNS" + ], + "Add another address": [ + "Přidat další adresu" + ], + "Add file system": [ + "Přidat souborový systém" + ], + "Address": [ + "Adresa" + ], + "Addresses": [ + "Adresy" + ], + "Addresses data list": [ + "Seznam údajů o adresách" + ], + "All fields are required": [ + "Všechna pole jsou povinná" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Všechny oddíly budou odstraněny a veškerá data na discích budou ztracena." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Umožňuje zavést předchozí verzi systému po změně konfigurace nebo aktualizaci softwaru." + ], + "Already set": [ + "Již nastaveno" + ], + "An existing disk": [ + "Existující disk" + ], + "At least one address must be provided for selected mode": [ + "Pro zvolený režim musí být uvedena alespoň jedna adresa" + ], + "At this point you can power off the machine.": [ + "Nyní můžete počítač vypnout." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Nyní můžete počítač restartovat a přihlásit se do nového systému." + ], + "Authentication by initiator": [ + "Ověření iniciátorem" + ], + "Authentication by target": [ + "Ověřování cílem" + ], + "Authentication failed, please try again": [ + "Ověření selhalo, zkuste to znovu" + ], + "Auto": [ + "Auto" + ], + "Auto LUNs Scan": [ + "Automatické skenování jednotek LUN" + ], + "Auto-login": [ + "Automatické přihlášení" + ], + "Automatic": [ + "Automatický" + ], + "Automatic (DHCP)": [ + "Automatická (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "Automatické skenování LUN je [zakázáno]. Po aktivaci řadiče je třeba LUNy konfigurovat ručně." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "Automatické skenování LUN je [povoleno]. Aktivací řadiče, běžícího v režimu NPIV, se automaticky zkonfigurují všechny jeho LUN." + ], + "Automatically calculated size according to the selected product.": [ + "Automatický výpočet velikosti podle vybraného produktu." + ], + "Available products": [ + "Dostupné produkty" + ], + "Back": [ + "Zpět" + ], + "Back to device selection": [ + "Zpět na výběr zařízení" + ], + "Before %s": [ + "Před %s" + ], + "Before installing, please check the following problems.": [ + "Před instalací zkontrolujte tyto problémy." + ], + "Before starting the installation, you need to address the following problems:": [ + "Před zahájením instalace vyřešte tyto problémy:" + ], + "Boot partitions at %s": [ + "Zaváděcí oddíly na %s" + ], + "Boot partitions at installation disk": [ + "Oddíly zavádějící systém na instalačním disku" + ], + "Btrfs root partition with snapshots (%s)": [ + "Kořenový oddíl Btrfs se snímky (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Kořenový svazek Btrfs se snímky (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs se snímky" + ], + "Cancel": [ + "Zrušit" + ], + "Cannot accommodate the required file systems for installation": [ + "Nelze umístit požadované souborové systémy pro instalaci" + ], + "Cannot be changed in remote installation": [ + "U instalace na dálku nelze změnit" + ], + "Cannot connect to Agama server": [ + "Nelze se připojit k serveru Agama" + ], + "Cannot format all selected devices": [ + "Nelze formátovat všechna vybraná zařízení" + ], + "Change": [ + "Změnit" + ], + "Change boot options": [ + "Změna možností spouštění systému" + ], + "Change location": [ + "Změna umístění" + ], + "Change product": [ + "Změnit produkt" + ], + "Change selection": [ + "Změnit výběr" + ], + "Change the root password": [ + "Změna hesla roota" + ], + "Channel ID": [ + "ID kanálu" + ], + "Check the planned action": [ + "Zkontrolujte plánovanou akci", + "Zkontrolujte %d plánované akce", + "Zkontrolujte %d plánovaných akcí" + ], + "Choose a disk for placing the boot loader": [ + "Výběr disku pro umístění zavaděče" + ], + "Clear": [ + "Smazat" + ], + "Close": [ + "Zavřít" + ], + "Configuring the product, please wait ...": [ + "Konfigurace produktu, počkejte prosím..." + ], + "Confirm": [ + "Potvrdit" + ], + "Confirm Installation": [ + "Potvrdit instalaci" + ], + "Congratulations!": [ + "Blahopřejeme!" + ], + "Connect": [ + "Připojit" + ], + "Connect to a Wi-Fi network": [ + "Připojení k síti Wi-Fi" + ], + "Connect to hidden network": [ + "Připojit ke skryté síti" + ], + "Connect to iSCSI targets": [ + "Připojení k cílům iSCSI" + ], + "Connected": [ + "Připojeno" + ], + "Connected (%s)": [ + "Připojeno (%s)" + ], + "Connected to %s": [ + "Připojeno k %s" + ], + "Connecting": [ + "Připojování" + ], + "Connection actions": [ + "Akce připojení" + ], + "Continue": [ + "Pokračovat" + ], + "Controllers": [ + "Řadiče" + ], + "Could not authenticate against the server, please check it.": [ + "Nezdařilo se ověření vůči serveru, zkontrolujte to prosím." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Nelze se přhlásit. Zkontrolujte správnost hesla." + ], + "Create a dedicated LVM volume group": [ + "Vytvoření vyhrazené skupiny svazků LVM" + ], + "Create a new partition": [ + "Vytvořit nový oddíl" + ], + "Create user": [ + "Vytvořit uživatele" + ], + "Custom": [ + "Vlastní" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "Tabulka výběru zařízení DASD" + ], + "DASDs table section": [ + "Sekce DASD tabulky" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Deaktivace" + ], + "Deactivated": [ + "Deaktivováno" + ], + "Define a user now": [ + "Nyní definujte uživatele" + ], + "Delete": [ + "Smazat" + ], + "Delete current content": [ + "Odstranit aktuální obsah" + ], + "Destructive actions are allowed": [ + "Destruktivní akce jsou povoleny" + ], + "Destructive actions are not allowed": [ + "Destruktivní akce nejsou povoleny" + ], + "Details": [ + "Podrobnosti" + ], + "Device": [ + "Zařízení" + ], + "Device selector for new LVM volume group": [ + "Výběr zařízení pro novou skupinu svazků LVM" + ], + "Device selector for target disk": [ + "Výběr zařízení pro cílový disk" + ], + "Devices: %s": [ + "Zařízení: %s" + ], + "Discard": [ + "Vyřadit" + ], + "Disconnect": [ + "Odpojit" + ], + "Disconnected": [ + "Odpojeno" + ], + "Discover": [ + "Objevit" + ], + "Discover iSCSI Targets": [ + "Najít cílové stanice iSCSI" + ], + "Discover iSCSI targets": [ + "Zjištění cílů iSCSI" + ], + "Disk": [ + "Disk" + ], + "Disks": [ + "Disky" + ], + "Do not configure": [ + "Nekonfigurujte" + ], + "Do not configure partitions for booting": [ + "Nekonfigurujte oddíly pro zavádění systému" + ], + "Do you want to add it?": [ + "Chcete ho přidat?" + ], + "Do you want to edit it?": [ + "Chcete to upravit?" + ], + "Download logs": [ + "Stáhnout protokoly" + ], + "Edit": [ + "Upravit" + ], + "Edit %s": [ + "Upravit %s" + ], + "Edit %s file system": [ + "Upravit souborový systém %s" + ], + "Edit connection %s": [ + "Upravit připojení %s" + ], + "Edit file system": [ + "Úprava souborového systému" + ], + "Edit iSCSI Initiator": [ + "Upravit iniciátor iSCSI" + ], + "Edit password too": [ + "Upravit také heslo" + ], + "Edit the SSH Public Key for root": [ + "Úprava veřejného klíče SSH pro uživatele root" + ], + "Edit user": [ + "Upravit uživatele" + ], + "Enable": [ + "Zapojit" + ], + "Encrypt the system": [ + "Šifrování systému" + ], + "Encrypted Device": [ + "Šifrované zařízení" + ], + "Encryption": [ + "Šifrování" + ], + "Encryption Password": [ + "Heslo pro šifrování" + ], + "Exact size": [ + "Přesná velikost" + ], + "Exact size for the file system.": [ + "Přesná velikost souborového systému." + ], + "File system type": [ + "Typ systému souborů" + ], + "File systems created as new partitions at %s": [ + "Souborové systémy vytvořené jako nové oddíly v %s" + ], + "File systems created at a new LVM volume group": [ + "Souborové systémy vytvořené v nové skupině svazků LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Souborové systémy vytvořené v nové skupině svazků LVM na %s" + ], + "Filter by description or keymap code": [ + "Filtrování podle popisu nebo kódu mapy kláves" + ], + "Filter by language, territory or locale code": [ + "Filtrování podle jazyka, území nebo kódu lokality" + ], + "Filter by max channel": [ + "Filtrování podle max. kanálu" + ], + "Filter by min channel": [ + "Filtrování podle min. kanálu" + ], + "Filter by pattern title or description": [ + "Filtrování podle názvu nebo popisu vzoru" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrování podle území, kódu časového pásma nebo posunu od UTC" + ], + "Final layout": [ + "Konečné rozvržení" + ], + "Finish": [ + "Dokončit" + ], + "Finished": [ + "Dokončeno" + ], + "First user": [ + "První uživatel" + ], + "Fixed": [ + "Opraveno" + ], + "Forget": [ + "Zapomenout" + ], + "Forget connection %s": [ + "Zapomenout připojení %s" + ], + "Format": [ + "Formát" + ], + "Format selected devices?": [ + "Formátovat vybraná zařízení?" + ], + "Format the device": [ + "Formátovat zařízení" + ], + "Formatted": [ + "Formátován" + ], + "Formatting DASD devices": [ + "Formátuji zařízení DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Šifrování celého disku (FDE) umožňuje chránit informace uložené v zařízení, včetně dat, programů a systémových souborů." + ], + "Full name": [ + "Celé jméno" + ], + "Gateway": [ + "Brána" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Bránu lze definovat pouze v režimu 'Ruční'" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Skrýt %d akci podsvazku", + "Skrýt %d akce podsvazku", + "Skrýt %d akcí podsvazku" + ], + "Hide details": [ + "Skrýt podrobnosti" + ], + "IP Address": [ + "IP adresa" + ], + "IP address": [ + "adresa IP" + ], + "IP addresses": [ + "IP adresy" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Bylo-li ke spuštění tohoto instalačního programu použito místní médium, před dalším spuštěním ho odstraňte." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Budete-li pokračovat, oddíly na pevném disku budou upraveny podle zadaných instalačních nastavení." + ], + "In progress": [ + "Probíhá" + ], + "Incorrect IP address": [ + "Nesprávná IP adresa" + ], + "Incorrect password": [ + "Nesprávné heslo" + ], + "Incorrect port": [ + "Nesprávný port" + ], + "Incorrect user name": [ + "Nesprávné uživatelské jméno" + ], + "Initiator": [ + "Iniciátor" + ], + "Initiator name": [ + "Název iniciátora" + ], + "Install": [ + "Instalovat" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager), která odstraní veškerý obsah podkladových zařízení" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager) na %s s odstraněním veškerého jejich obsahu" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager) na %s se zmenšením stávajících oddílů podle potřeby" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager) na %s s použitím vlastní strategie pro nalezení potřebného místa" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager) na %s bez úpravy existujících oddílů" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager), která podle potřeby zmenší existující oddíly na podkladových zařízeních" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Instalace do nové skupiny svazků LVM (Logical Volume Manager) pomocí vlastní strategie pro nalezení potřebného místa v podkladových zařízeních" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Instalace do nové skupiny svazků Správce logických svazků (LVM) bez úpravy oddílů na podkladových zařízeních" + ], + "Install new system on": [ + "Instalace nového systému na" + ], + "Install using device %s and deleting all its content": [ + "Instalace pomocí zařízení %s a odstranění veškerého jeho obsahu" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Instalace pomocí zařízení %s se zmenšením stávajících oddílů podle potřeby" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Instalace pomocí zařízení %s s vlastní strategií pro vyhledání potřebného místa" + ], + "Install using device %s without modifying existing partitions": [ + "Instalace pomocí zařízení %s bez úpravy stávajících oddílů" + ], + "Installation blocking issues": [ + "Problémy zabraňující instalaci" + ], + "Installation device": [ + "Instalační zařízení" + ], + "Installation issues": [ + "Problémy s instalací" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "Instalace zatím není možná kvůli problémům, které najdete na stránce Přehled." + ], + "Installation will configure partitions for booting at %s.": [ + "Instalace nakonfiguruje oddíly pro zavádění v %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Instalace nakonfiguruje oddíly pro zavádění na instalačním disku." + ], + "Installation will not configure partitions for booting.": [ + "Instalace nenakonfiguruje oddíly pro zavádění systému." + ], + "Installation will take %s.": [ + "Instalace bude trvat %s." + ], + "Installer Options": [ + "Možnosti instalátoru" + ], + "Installer options": [ + "Možnosti instalátoru" + ], + "Installing the system, please wait...": [ + "Instaluji systém, čekejte ..." + ], + "Interface": [ + "Rozhraní" + ], + "Ip prefix or netmask": [ + "Předpona IP nebo maska sítě" + ], + "Keyboard": [ + "Klávesnice" + ], + "Keyboard layout": [ + "Rozložení kláves" + ], + "Keyboard selection": [ + "Výběr klávesnice" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Jazyk" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Omezení velikosti souborového systému. Konečná velikost bude hodnota mezi zadaným minimem a maximem. Pokud není zadáno žádné maximum, bude souborový systém co největší." + ], + "Loading data...": [ + "Načítání dat ..." + ], + "Loading installation environment, please wait.": [ + "Načítá se instalační prostředí, vyčkejte prosím." + ], + "Locale selection": [ + "Výběr lokality" + ], + "Localization": [ + "Lokalizace" + ], + "Location": [ + "Umístění" + ], + "Location for %s file system": [ + "Umístění souborového systému %s" + ], + "Log in": [ + "Přihlásit se" + ], + "Log in as %s": [ + "Přihlásit se jako %s" + ], + "Logical volume at system LVM": [ + "Logický svazek na systému LVM" + ], + "Login": [ + "Přihlášení" + ], + "Login %s": [ + "Přihlášení %s" + ], + "Login form": [ + "Přihlašovací formulář" + ], + "Logout": [ + "Odhlášení" + ], + "Main disk or LVM Volume Group for installation.": [ + "Hlavní disk nebo skupina svazků LVM pro instalaci." + ], + "Main navigation": [ + "Hlavní navigace" + ], + "Make sure you provide the correct values": [ + "Ujistěte se, že jste zadali správné hodnoty" + ], + "Manage and format": [ + "Správa a formátování" + ], + "Manual": [ + "Ruční" + ], + "Maximum": [ + "Maximum" + ], + "Maximum desired size": [ + "Maximální požadovaná velikost" + ], + "Maximum must be greater than minimum": [ + "Maximum musí být větší než minimum" + ], + "Members: %s": [ + "Členové: %s" + ], + "Method": [ + "Metoda" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Minimum" + ], + "Minimum desired size": [ + "Minimální požadovaná velikost" + ], + "Minimum size is required": [ + "Je vyžadována minimální velikost" + ], + "Mode": [ + "Režim" + ], + "Modify": [ + "Upravit" + ], + "More info for file system types": [ + "Další informace o typech souborových systémů" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Připojit %1$s at %2$s (%3$s)" + ], + "Mount Point": [ + "Přípojný bod" + ], + "Mount point": [ + "Přípojný bod" + ], + "Mount the file system": [ + "Připojit souborový systém" + ], + "Multipath": [ + "Vícecestný" + ], + "Name": [ + "Název" + ], + "Network": [ + "Síť" + ], + "New": [ + "Nový" + ], + "No": [ + "Ne" + ], + "No Wi-Fi supported": [ + "Wi-Fi není podporováno" + ], + "No additional software was selected.": [ + "Nebyl vybrán žádný další software." + ], + "No connected yet": [ + "Dosud nepřipojeno" + ], + "No content found": [ + "Nebyl nalezen žádný obsah" + ], + "No device selected yet": [ + "Zatím nebylo vybráno žádné zařízení" + ], + "No iSCSI targets found.": [ + "Nebyly nalezeny žádné cíle iSCSI." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Žádné oddíly nebudou automaticky konfigurovány pro zavádění systému. Používejte opatrně." + ], + "No root authentication method defined yet.": [ + "Zatím není definována žádná metoda ověřování superuživatele root." + ], + "No user defined yet.": [ + "Zatím není definován žádný uživatel." + ], + "No visible Wi-Fi networks found": [ + "Nebyly nalezeny žádné viditelné sítě Wi-Fi" + ], + "No wired connections found": [ + "Nebyla nalezena žádná kabelová připojení" + ], + "No zFCP controllers found.": [ + "Nebyly nalezeny žádné řadiče zFCP." + ], + "No zFCP disks found.": [ + "Nebyly nalezeny žádné disky zFCP." + ], + "None": [ + "Žádné" + ], + "None of the keymaps match the filter.": [ + "Žádná z map kláves neodpovídá filtru." + ], + "None of the locales match the filter.": [ + "Žádné umístění neodpovídá filtru." + ], + "None of the patterns match the filter.": [ + "Žádný ze vzorů neodpovídá filtru." + ], + "None of the time zones match the filter.": [ + "Žádné z časových pásem neodpovídá filtru." + ], + "Not selected yet": [ + "Dosud nevybráno" + ], + "Not set": [ + "Nenastaveno" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Offline zařízení musí být před formátováním aktivována. Buďto zrušte jejich výběr nebo níže uvedená zařízení aktivujte a zkuste to znovu" + ], + "Offload card": [ + "Karta k přesměrování části (mobilního) provozu" + ], + "On boot": [ + "Při spuštění systému" + ], + "Only available if authentication by target is provided": [ + "K dispozici, jen když je zadáno ověřování cílem" + ], + "Options toggle": [ + "Přepínač možností" + ], + "Other": [ + "Ostatní/jiné" + ], + "Overview": [ + "Přehled" + ], + "Partition Info": [ + "Údaje o oddílech" + ], + "Partition at %s": [ + "Oddíl na %s" + ], + "Partition at installation disk": [ + "Oddíl na instalačním disku" + ], + "Partitions and file systems": [ + "Oddíly a souborové systémy" + ], + "Partitions to boot will be allocated at the following device.": [ + "Oddíly pro zavádění budou přiděleny na tomto zařízení." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Oddíly pro zavádění budou přiděleny na instalačním disku (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Oddíly pro zavádění budou přiděleny na instalačním disku." + ], + "Password": [ + "Heslo" + ], + "Password Required": [ + "Vyžadováno heslo" + ], + "Password confirmation": [ + "Potvrzení hesla" + ], + "Password input": [ + "Zadejte heslo" + ], + "Password visibility button": [ + "Tlačítko viditelnosti hesla" + ], + "Passwords do not match": [ + "Hesla se neshodují" + ], + "Pending": [ + "Čeká se na" + ], + "Perform an action": [ + "Provést akci" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Plánované akce" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Pozor, před instalací systému musí být definován uživatel, aby se pak do systému dalo přihlásit." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Nejste-li si jisti, zrušte akci a zkontrolujte nastavení." + ], + "Please, check whether it is running.": [ + "Zkontrolujte, zda je spuštěn." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Definujte alespoň jednu metodu ověřování pro přihlášení do systému jako root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Spusťte vyhledávání iSCSI a tím najděte dostupné cíle iSCSI." + ], + "Please, provide its password to log in to the system.": [ + "Zadejte heslo pro přihlášení do systému." + ], + "Please, review provided settings and try again.": [ + "Zkontrolujte poskytnutá nastavení a zkuste to znovu." + ], + "Please, try to activate a zFCP controller.": [ + "Zkuste aktivovat řadič zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Zkuste aktivovat disk zFCP." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portál" + ], + "Prefix length or netmask": [ + "Délka předpony nebo maska sítě" + ], + "Prepare more devices by configuring advanced": [ + "Připravte další zařízení pomocí pokročilé konfigurace" + ], + "Presence of other volumes (%s)": [ + "Přítomnost dalších svazků (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Ochrana informací uložených v zařízení, včetně dat, programů a systémových souborů." + ], + "Question": [ + "Dotaz" + ], + "Range": [ + "Rozsah" + ], + "Read zFCP devices": [ + "Načtení zařízení zFCP" + ], + "Reboot": [ + "Restartovat systém" + ], + "Reload": [ + "Znovu načíst" + ], + "Remove": [ + "Odstranit" + ], + "Remove max channel filter": [ + "Odstranění filtru max. kanálu" + ], + "Remove min channel filter": [ + "Odstranění filtru min. kanálu" + ], + "Reset location": [ + "Výmaz umístění" + ], + "Reset to defaults": [ + "Návrat k standardním hodnotám" + ], + "Reused %s": [ + "Opětovné použití %s" + ], + "Root SSH public key": [ + "Veřejný klíč SSH pro roota" + ], + "Root authentication": [ + "Ověření superuživatele root" + ], + "Root password": [ + "Heslo roota" + ], + "SD Card": [ + "Karta SD" + ], + "SSH Key": [ + "Klíč SSH" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Hledat" + ], + "Security": [ + "Zabezpečení" + ], + "See more details": [ + "Zobrazit podrobnosti" + ], + "Select": [ + "Zvolit" + ], + "Select a disk": [ + "Výběr disku" + ], + "Select a location": [ + "Vyberte umístění" + ], + "Select a product": [ + "Vyberte produkt" + ], + "Select booting partition": [ + "Výběr zaváděcího oddílu" + ], + "Select how to allocate the file system": [ + "Zvolte způsob vytvoření souborového systému" + ], + "Select in which device to allocate the file system": [ + "Vyberte, ve kterém zařízení se má vytvořit systém souborů" + ], + "Select installation device": [ + "Výběr instalačního zařízení" + ], + "Select what to do with each partition.": [ + "Vyberte, co se má s jednotlivými oddíly dělat." + ], + "Selected patterns": [ + "Vybrané vzory" + ], + "Separate LVM at %s": [ + "Oddělené LVM na %s" + ], + "Server IP": [ + "IP adresa serveru" + ], + "Set": [ + "Nastavit" + ], + "Set DIAG Off": [ + "Vypnout DIAG" + ], + "Set DIAG On": [ + "Zapnout DIAG" + ], + "Set a password": [ + "Nastavte heslo" + ], + "Set a root password": [ + "Nastavte heslo roota" + ], + "Set root SSH public key": [ + "Nastavte veřejný klíč SSH pro roota" + ], + "Show %d subvolume action": [ + "Zobrazit %d akci podsvazku", + "Zobrazit %d akce podsvazku", + "Zobrazit %d akcí podsvazku" + ], + "Show information about %s": [ + "Zobrazit informace o %s" + ], + "Show partitions and file-systems actions": [ + "Zobrazení oddílů a akcí souborových systémů" + ], + "Shrink existing partitions": [ + "Zmenšit stávající oddíly" + ], + "Shrinking partitions is allowed": [ + "Zmenšování oddílů je povoleno" + ], + "Shrinking partitions is not allowed": [ + "Zmenšování oddílů není povoleno" + ], + "Shrinking some partitions is allowed but not needed": [ + "Zmenšení některých oddílů je povoleno, ale není nutné" + ], + "Size": [ + "Velikost" + ], + "Size unit": [ + "Jednotka velikosti" + ], + "Software": [ + "Software" + ], + "Software %s": [ + "Software %s" + ], + "Software selection": [ + "Výběr softwaru" + ], + "Something went wrong": [ + "Něco se nezdařilo" + ], + "Space policy": [ + "Zásady pro volné místo" + ], + "Startup": [ + "Typ startu iSCSI" + ], + "Status": [ + "Stav" + ], + "Storage": [ + "Úložiště" + ], + "Storage proposal not possible": [ + "Návrh úložiště není možný" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Struktura nového systému, včetně případných dalších oddílů potřebných pro zavádění systému" + ], + "Swap at %1$s (%2$s)": [ + "Přepnout na %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Přepnout oddíl (%s)" + ], + "Swap volume (%s)": [ + "Přepnout svazek (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "Zapečetění čipem TPM vyžaduje přímé spuštění nového systému." + ], + "Table with mount points": [ + "Tabulka s přípojnými body" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Před zahájením instalace zkontrolujte konfiguraci." + ], + "Target Password": [ + "Cílové heslo" + ], + "Targets": [ + "Cíle" + ], + "The amount of RAM in the system": [ + "Množství paměti RAM v systému" + ], + "The configuration of snapshots": [ + "Konfigurace snímků" + ], + "The content may be deleted": [ + "Obsah může být smazán" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Aktuální souborový systém na %s je vybrán k připojení k %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Aktuální souborový systém na vybraném zařízení bude připojen bez formátování zařízení." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Data zůstanou zachována, ale velikost aktuálních oddílů se podle potřeby změní." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Data jsou uchována. Využije se pouze prostor, který není přiřazen žádnému oddílu." + ], + "The device cannot be shrunk:": [ + "Zařízení nelze zmenšit:" + ], + "The encryption password did not work": [ + "Zadané šifrovací heslo nefungovalo" + ], + "The file system is allocated at the device %s.": [ + "Souborový systém je přidělen na zařízení %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "Souborový systém bude přidělen jako nový oddíl na vybraném disku." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Souborové systémy jsou ve výchozím nastavení vytvořeny v instalačním zařízení. Chcete-li vytvořit souborový systém na konkrétním zařízení, zadejte vlastní umístění." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Souborové systémy budou ve výchozím nastavení přiděleny jako [logické svazky nové skupiny svazků LVM]. Odpovídající fyzické svazky budou na vyžádání vytvořeny jako nové oddíly na vybraných zařízeních." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Souborové systémy budou ve výchozím nastavení přiděleny jako [nové oddíly ve vybraném zařízení]." + ], + "The final size depends on %s.": [ + "Konečná velikost závisí na %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Poslední krok konfigurace modulu TPM (Trusted Platform Module) pro automatické otevírání šifrovaných zařízení se provede při prvním spuštění nového systému. Aby to fungovalo, musí se počítač spustit přímo novým zavaděčem." + ], + "The following software patterns are selected for installation:": [ + "Pro instalaci jsou vybrány tyto softwarové vzory:" + ], + "The installation on your machine is complete.": [ + "Instalace na váš počítač je dokončena." + ], + "The installation will take": [ + "Instalace zabere" + ], + "The installation will take %s including:": [ + "Instalace bude trvat %s včetně:" + ], + "The installer requires [root] user privileges.": [ + "Instalátor vyžaduje oprávnění uživatele [root]." + ], + "The mount point is invalid": [ + "Přípojný bod je neplatný" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Možnosti typu souborového systému závisí na produktu a přípojném bodu." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Dokáže-li čip TPM ověřit integritu systému, nebude heslo pro spuštění systému a přístup k datům potřebné. Zapečetění TPM vyžaduje, aby byl nový systém spuštěn hned při prvním použití." + ], + "The selected device will be formatted as %s file system.": [ + "Vybrané zařízení bude formátováno jako souborový systém %s." + ], + "The size of the file system cannot be edited": [ + "Velikost souborového systému nelze měnit" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Systém nepodporuje připojení Wi-Fi, pravděpodobně chybí hardware nebo je zakázán." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Systém zatím nebyl konfigurován pro připojení k síti Wi-Fi." + ], + "The system will use %s as its default language.": [ + "Systém použije jako výchozí jazyk %s." + ], + "The systems will be configured as displayed below.": [ + "Systémy budou konfigurovány tak, jak je zobrazeno níže." + ], + "The type and size of the file system cannot be edited.": [ + "Typ a velikost souborového systému nelze upravovat." + ], + "The zFCP disk was not activated.": [ + "Disk zFCP nebyl aktivován." + ], + "There is a predefined file system for %s.": [ + "Pro %s existuje předdefinovaný souborový systém." + ], + "There is already a file system for %s.": [ + "Pro %s již existuje souborový systém." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Toto je nejdůležitější nastavení instalace. Další podrobnosti najdete v sekcích v nabídce." + ], + "These limits are affected by:": [ + "Tyto limity jsou ovlivněny (čím):" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Tato akce zničí veškerá data uložená na níže uvedených zařízeních. Potvrďte prosím, že opravdu chcete pokračovat." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Tento produkt neumožňuje výběr softwarových vzorů během instalace. Po dokončení instalace však můžete přidat další software." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Tento prostor zahrnuje základní systém a vybrané softwarové vzory, pokud existují." + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Časové pásmo" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Aby bylo možné nový systém spustit, může být nutné, aby instalační program vytvořil nebo nakonfiguroval některé oddíly na příslušném disku." + ], + "Transactional Btrfs": [ + "Transakční systém Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "Transakční kořenový oddíl Btrfs (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Transakční kořenový svazek Btrfs (%s)" + ], + "Transactional root file system": [ + "Transakční kořenový souborový systém" + ], + "Type": [ + "Typ" + ], + "Unit for the maximum size": [ + "Jednotka pro maximální velikost" + ], + "Unit for the minimum size": [ + "Jednotka pro minimální velikost" + ], + "Unselect": [ + "Zrušit výběr" + ], + "Unused space": [ + "Nevyužitý prostor" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Zmenšením zařízení lze obnovit až %s." + ], + "Upload": [ + "Nahrát" + ], + "Upload a SSH Public Key": [ + "Nahrátí veřejného klíče SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Nahrání, vložení nebo přetažení veřejného klíče SSH" + ], + "Usage": [ + "Použití" + ], + "Use Btrfs snapshots for the root file system": [ + "Použití snímků Btrfs pro kořenový souborový systém" + ], + "Use available space": [ + "Využít dostupný prostor" + ], + "Use suggested username": [ + "Použijte navrhované uživatelské jméno" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Použití modulu TPM (Trusted Platform Module) k automatickému dešifrování při každém spuštění systému" + ], + "User full name": [ + "Celé jméno uživatele" + ], + "User name": [ + "Uživatelské jméno" + ], + "Username": [ + "Uživatelské jméno" + ], + "Username suggestion dropdown": [ + "Rozbalovací nabídka uživatelských jmen" + ], + "Users": [ + "Uživatelé" + ], + "Visible Wi-Fi networks": [ + "Viditelné sítě Wi-Fi" + ], + "WPA & WPA2 Personal": [ + "WPA & WPA2 Osobní" + ], + "WPA Password": [ + "Heslo WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Čekám" + ], + "Waiting for actions information...": [ + "Čekáme na informace o akcích..." + ], + "Waiting for information about storage configuration": [ + "Čekání na informace o konfiguraci úložiště" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "WiFi connection form": [ + "Formulář pro připojení WiFi" + ], + "Wired": [ + "Připojení kabelem" + ], + "Wires: %s": [ + "Kabely: %s" + ], + "Yes": [ + "Ano" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "ovlivňující" + ], + "at least %s": [ + "alespoň %s" + ], + "auto": [ + "auto" + ], + "auto selected": [ + "automaticky vybráno" + ], + "configured": [ + "konfigurováno" + ], + "deleting current content": [ + "odstranění aktuálního obsahu" + ], + "disabled": [ + "odpojeno" + ], + "enabled": [ + "zapojeno" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "zmenšování oddílů" + ], + "storage techs": [ + "technologie úložiště" + ], + "the amount of RAM in the system": [ + "velikost paměti RAM v systému" + ], + "the configuration of snapshots": [ + "konfigurace snímků" + ], + "the presence of the file system for %s": [ + "přítomnost souborového systému pro %s" + ], + "user autologin": [ + "automatické přihlášení uživatele" + ], + "using TPM unlocking": [ + "odemykání čipem TPM" + ], + "with custom actions": [ + "s vlastními akcemi" + ], + "without modifying any partition": [ + "bez úpravy jakéhokoli oddílu" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "Aktivace disku zFCP" + ], + "zFCP Disk activation form": [ + "Aktivační formulář zFCP disku" + ] +}; diff --git a/web/src/po/po.de.js b/web/src/po/po.de.js new file mode 100644 index 0000000000..f640e6b150 --- /dev/null +++ b/web/src/po/po.de.js @@ -0,0 +1,1372 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "de" + }, + " Timezone selection": [ + " Zeitzonenauswahl" + ], + " and ": [ + " und " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s unter %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "Partition %1$s %2$s (%3$s)" + ], + "%d partition will be shrunk": [ + "%d Partition wird verkleinert", + "%d Partitionen werden verkleinert" + ], + "%s disk": [ + "Festplatte %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s ist ein unveränderliches System mit atomaren Aktualisierungen. Es verwendet ein schreibgeschütztes Btrfs-Dateisystem, das über Schnappschüsse aktualisiert wird." + ], + "%s logo": [ + "%s-Logo" + ], + "%s with %d partitions": [ + "%s mit %d Partitionen" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Ein Einhängepunkt ist erforderlich" + ], + "A new LVM Volume Group": [ + "Eine neue LVM-Volume-Gruppe" + ], + "A size value is required": [ + "Ein Größenwert ist erforderlich" + ], + "Accept": [ + "Annehmen" + ], + "Action": [ + "Aktion" + ], + "Actions": [ + "Aktionen" + ], + "Actions for connection %s": [ + "Aktionen für Verbindung %s" + ], + "Actions to find space": [ + "Aktionen, um Platz zu finden" + ], + "Activate": [ + "Aktivieren" + ], + "Activate disks": [ + "Festplatten aktivieren" + ], + "Activate new disk": [ + "Neue Festplatte aktivieren" + ], + "Activate zFCP disk": [ + "zFCP-Festplatte aktivieren" + ], + "Activated": [ + "Aktiviert" + ], + "Add %s file system": [ + "Dateisystem %s hinzufügen" + ], + "Add DNS": [ + "DNS hinzufügen" + ], + "Add a SSH Public Key for root": [ + "Öffentlichen SSH-Schlüssel für root hinzufügen" + ], + "Add an address": [ + "Adresse hinzufügen" + ], + "Add another DNS": [ + "Weiteren DNS hinzufügen" + ], + "Add another address": [ + "Weitere Adresse hinzufügen" + ], + "Add file system": [ + "Dateisystem hinzufügen" + ], + "Address": [ + "Adresse" + ], + "Addresses": [ + "Adressen" + ], + "Addresses data list": [ + "Adressdatenliste" + ], + "All fields are required": [ + "Alle Felder sind erforderlich" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Alle Partitionen werden entfernt und alle Daten auf den Festplatten gehen verloren." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Ermöglicht das Booten zu einer früheren Version des Systems nach Konfigurationsänderungen oder Softwareaktualisierungen." + ], + "Already set": [ + "Bereits festgelegt" + ], + "An existing disk": [ + "Eine vorhandene Festplatte" + ], + "At least one address must be provided for selected mode": [ + "Für den ausgewählten Modus muss mindestens eine Adresse angegeben werden" + ], + "At this point you can power off the machine.": [ + "Sie können den Rechner jetzt ausschalten." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Sie können den Rechner jetzt neu starten, um sich bei dem neuen System anzumelden." + ], + "Authentication by initiator": [ + "Authentifizierung durch den Initiator" + ], + "Authentication by target": [ + "Authentifizierung durch das Ziel" + ], + "Authentication failed, please try again": [ + "Authentifizierung fehlgeschlagen, bitte versuchen Sie es erneut" + ], + "Auto": [ + "Automatisch" + ], + "Auto LUNs Scan": [ + "" + ], + "Auto-login": [ + "Automatisches Anmelden" + ], + "Automatic": [ + "Automatisch" + ], + "Automatic (DHCP)": [ + "Automatisch (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "" + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "" + ], + "Automatically calculated size according to the selected product.": [ + "Automatisch berechnete Größe entsprechend dem ausgewählten Produkt." + ], + "Available products": [ + "Verfügbare Produkte" + ], + "Back": [ + "Zurück" + ], + "Back to device selection": [ + "Zurück zur Geräteauswahl" + ], + "Before %s": [ + "Vor %s" + ], + "Before installing, please check the following problems.": [ + "Bitte überprüfen Sie vor der Installation die folgenden Probleme." + ], + "Before starting the installation, you need to address the following problems:": [ + "Bevor Sie mit der Installation beginnen, müssen Sie sich mit folgenden Problemen befassen:" + ], + "Boot partitions at %s": [ + "Boot-Partitionen auf %s" + ], + "Boot partitions at installation disk": [ + "Boot-Partitionen auf der Installationsfestplatte" + ], + "Btrfs with snapshots": [ + "Btrfs mit Schnappschüssen" + ], + "Cancel": [ + "Abbrechen" + ], + "Cannot accommodate the required file systems for installation": [ + "Die für die Installation erforderlichen Dateisysteme können nicht untergebracht werden" + ], + "Cannot be changed in remote installation": [ + "Kann bei der Ferninstallation nicht geändert werden" + ], + "Cannot connect to Agama server": [ + "Verbindung zum Agama-Server nicht möglich" + ], + "Cannot format all selected devices": [ + "Es können nicht alle ausgewählten Geräte formatiert werden" + ], + "Change": [ + "Ändern" + ], + "Change boot options": [ + "Boot-Optionen ändern" + ], + "Change location": [ + "Ort ändern" + ], + "Change product": [ + "Produkt ändern" + ], + "Change selection": [ + "Auswahl ändern" + ], + "Change the root password": [ + "Root-Passwort ändern" + ], + "Channel ID": [ + "Kanalkennung" + ], + "Check the planned action": [ + "Geplante Aktion überprüfen", + "Geplante %d Aktionen überprüfen" + ], + "Choose a disk for placing the boot loader": [ + "Wählen Sie eine Festplatte für den Bootloader aus" + ], + "Clear": [ + "Leeren" + ], + "Close": [ + "Schließen" + ], + "Configuring the product, please wait ...": [ + "Produkt wird konfiguriert, bitte warten ..." + ], + "Confirm": [ + "Bestätigen" + ], + "Confirm Installation": [ + "Installation bestätigen" + ], + "Congratulations!": [ + "Gratulation!" + ], + "Connect": [ + "Verbinden" + ], + "Connect to hidden network": [ + "Mit verborgenem Netzwerk verbinden" + ], + "Connect to iSCSI targets": [ + "Mit iSCSI-Zielen verbinden" + ], + "Connected": [ + "Verbunden" + ], + "Connected (%s)": [ + "Verbunden (%s)" + ], + "Connected to %s": [ + "Verbunden mit %s" + ], + "Connecting": [ + "Wird verbunden" + ], + "Connection actions": [ + "Verbindungsaktionen" + ], + "Continue": [ + "Fortsetzen" + ], + "Controllers": [ + "Controller" + ], + "Could not authenticate against the server, please check it.": [ + "Der Server konnte nicht authentifiziert werden, bitte überprüfen Sie dies." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Die Anmeldung ist fehlgeschlagen. Bitte stellen Sie sicher, dass das Passwort korrekt ist." + ], + "Create a new partition": [ + "Eine neue Partition erstellen" + ], + "Create user": [ + "Benutzer erstellen" + ], + "Custom": [ + "Benutzerdefiniert" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "DASD-Geräte-Auswahltabelle" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Deaktivieren" + ], + "Deactivated": [ + "Deaktiviert" + ], + "Define a user now": [ + "Definieren Sie jetzt einen Benutzer" + ], + "Delete": [ + "Löschen" + ], + "Delete current content": [ + "Aktuellen Inhalt löschen" + ], + "Destructive actions are allowed": [ + "Destruktive Aktionen sind erlaubt" + ], + "Destructive actions are not allowed": [ + "Destruktive Aktionen sind nicht erlaubt" + ], + "Details": [ + "Details" + ], + "Device": [ + "Gerät" + ], + "Device selector for target disk": [ + "Geräteselektor für Zielfestplatte" + ], + "Devices: %s": [ + "Geräte: %s" + ], + "Discard": [ + "Verwerfen" + ], + "Disconnect": [ + "Trennen" + ], + "Disconnected": [ + "Getrennt" + ], + "Discover": [ + "Erkennen" + ], + "Discover iSCSI Targets": [ + "iSCSI-Ziele erkennen" + ], + "Discover iSCSI targets": [ + "iSCSI-Ziele erkennen" + ], + "Disk": [ + "Festplatte" + ], + "Disks": [ + "Festplatten" + ], + "Do not configure": [ + "Nicht konfigurieren" + ], + "Do not configure partitions for booting": [ + "Keine Partitionen zum Booten konfigurieren" + ], + "Do you want to add it?": [ + "Möchten Sie es hinzufügen?" + ], + "Do you want to edit it?": [ + "Möchten Sie es bearbeiten?" + ], + "Download logs": [ + "Protokolle herunterladen" + ], + "Edit": [ + "Bearbeiten" + ], + "Edit %s": [ + "%s bearbeiten" + ], + "Edit %s file system": [ + "Dateisystem %s bearbeiten" + ], + "Edit connection %s": [ + "Verbindung %s bearbeiten" + ], + "Edit file system": [ + "Dateisystem bearbeiten" + ], + "Edit iSCSI Initiator": [ + "iSCSI-Initiator bearbeiten" + ], + "Edit password too": [ + "Auch Passwort bearbeiten" + ], + "Edit the SSH Public Key for root": [ + "Öffentlichen SSH-Schlüssel für root bearbeiten" + ], + "Edit user": [ + "Benutzer bearbeiten" + ], + "Enable": [ + "Aktivieren" + ], + "Encrypt the system": [ + "System verschlüsseln" + ], + "Encrypted Device": [ + "Verschlüsseltes Gerät" + ], + "Encryption": [ + "Verschlüsselung" + ], + "Encryption Password": [ + "Verschlüsselungspasswort" + ], + "Exact size": [ + "Exakte Größe" + ], + "Exact size for the file system.": [ + "Exakte Größe des Dateisystems." + ], + "File system type": [ + "Dateisystemtyp" + ], + "File systems created as new partitions at %s": [ + "Dateisysteme als neue Partitionen bei %s erstellt" + ], + "Filter by description or keymap code": [ + "Nach Beschreibung oder Tastenzuordnungscode filtern" + ], + "Filter by language, territory or locale code": [ + "Nach Sprache, Gebiet oder Sprachumgebungscode filtern" + ], + "Filter by max channel": [ + "" + ], + "Filter by min channel": [ + "" + ], + "Filter by pattern title or description": [ + "Nach Mustertitel oder Beschreibung filtern" + ], + "Filter by territory, time zone code or UTC offset": [ + "Nach Gebiet, Zeitzonencode oder UTC-Abweichung filtern" + ], + "Final layout": [ + "Endgültige Anordnung" + ], + "Finish": [ + "Fertigstellen" + ], + "Finished": [ + "Fertiggestellt" + ], + "First user": [ + "Erster Benutzer" + ], + "Fixed": [ + "Unveränderbar" + ], + "Forget": [ + "Vergessen" + ], + "Forget connection %s": [ + "Verbindung %s vergessen" + ], + "Format": [ + "Formatieren" + ], + "Format selected devices?": [ + "Ausgewählte Geräte formatieren?" + ], + "Format the device": [ + "Gerät formatieren" + ], + "Formatted": [ + "Formatiert" + ], + "Formatting DASD devices": [ + "DASD-Geräte formatieren" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Die vollständige Festplattenverschlüsselung (FDE) ermöglicht den Schutz der auf dem Gerät gespeicherten Informationen, einschließlich Daten, Programme und Systemdateien." + ], + "Full name": [ + "Vollständiger Name" + ], + "Gateway": [ + "Gateway" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Gateway kann nur im Modus ‚Manuell‘ definiert werden" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "", + "" + ], + "Hide details": [ + "Details ausblenden" + ], + "IP Address": [ + "IP-Adresse" + ], + "IP address": [ + "IP-Adresse" + ], + "IP addresses": [ + "IP-Adressen" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Wenn ein lokales Medium zur Ausführung dieses Installationsprogramms verwendet wurde, entfernen Sie es vor dem nächsten Start." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Wenn Sie fortfahren, werden die Partitionen auf Ihrer Festplatte entsprechend den vorgegebenen Installationseinstellungen geändert." + ], + "In progress": [ + "In Bearbeitung" + ], + "Incorrect IP address": [ + "Falsche IP-Adresse" + ], + "Incorrect password": [ + "Falsches Passwort" + ], + "Incorrect port": [ + "Falscher Port" + ], + "Incorrect user name": [ + "Falscher Benutzername" + ], + "Initiator": [ + "Initiator" + ], + "Initiator name": [ + "Name des Initiators" + ], + "Install": [ + "Installieren" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Installation in einem neuen logischen Volume Manager (LVM), wobei der gesamte Inhalt der zugrunde liegenden Geräte gelöscht wird" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Installation in einer neuen Logical Volume Manager (LVM) Volume Group auf %s durch Löschen des gesamten Inhalts" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Installation in einem neuen logischen Volume Manager (LVM) auf %s und Verkleinerung vorhandener Partitionen nach Bedarf" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Installation in einem neuen logischen Volume Manager (LVM) auf %s ohne Änderung der vorhandenen Partitionen" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Installation in einer neuen Logical Volume Manager (LVM) Volume Group, durch Verkleinern vorhandener Partitionen der verwendeten Geräte" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Installation in einem neuen logischen Volume Manager (LVM) unter Verwendung einer benutzerdefinierten Strategie, um den benötigten Speicherplatz auf den zugrunde liegenden Geräten zu finden" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Installation in einem neuen logischen Volume Manager (LVM) ohne Änderung der Partitionen auf den zugrunde liegenden Geräten" + ], + "Install new system on": [ + "Neues System installieren auf" + ], + "Install using device %s and deleting all its content": [ + "Installation unter Verwendung des Geräts %s und Löschen seines gesamten Inhalts" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Installation unter Verwendung des Geräts %s und Verkleinerung vorhandener Partitionen nach Bedarf" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Installation unter Verwendung des Geräts %s mit einer benutzerdefinierten Strategie, um den benötigten Platz zu finden" + ], + "Install using device %s without modifying existing partitions": [ + "Installation unter Verwendung des Geräts %s ohne Änderung der vorhandenen Partitionen" + ], + "Installation blocking issues": [ + "" + ], + "Installation device": [ + "Installationsgerät" + ], + "Installation issues": [ + "Installationsprobleme" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "Die Installation ist nicht möglich. Überprüfen Sie die Probleme auf der Übersichtseite." + ], + "Installation will configure partitions for booting at %s.": [ + "Die Installation konfiguriert Partitionen für das Booten bei %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Bei der Installation werden die Partitionen für das Booten von der Installationsfestplatte konfiguriert." + ], + "Installation will not configure partitions for booting.": [ + "Bei der Installation werden keine Partitionen für das Booten konfiguriert." + ], + "Installation will take %s.": [ + "Installation wird %s in Anspruch nehmen." + ], + "Installer Options": [ + "Installationsprogrammoptionen" + ], + "Installer options": [ + "Installationsprogrammoptionen" + ], + "Installing the system, please wait...": [ + "Das System wird installiert, bitte warten ..." + ], + "Interface": [ + "Schnittstelle" + ], + "Ip prefix or netmask": [ + "IP-Präfix oder Netzmaske" + ], + "Keyboard": [ + "Tastatur" + ], + "Keyboard layout": [ + "Tastaturbelegung" + ], + "Keyboard selection": [ + "Tastaturauswahl" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Sprache" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Begrenzungen für die Größe des Dateisystems. Die endgültige Größe wird ein Wert zwischen dem angegebenen Minimum und Maximum sein. Wenn kein Maximum angegeben wird, wird das Dateisystem so groß wie möglich." + ], + "Loading data...": [ + "Daten werden gelesen ..." + ], + "Loading installation environment, please wait.": [ + "Installationsumgebung wird geladen, bitte warten." + ], + "Locale selection": [ + "Gebietsschema-Auswahl" + ], + "Localization": [ + "Lokalisierung" + ], + "Location": [ + "Ort" + ], + "Location for %s file system": [ + "Speicherort für Dateisystem %s" + ], + "Log in": [ + "Anmelden" + ], + "Log in as %s": [ + "Als %s anmelden" + ], + "Login": [ + "Anmelden" + ], + "Login %s": [ + "%s anmelden" + ], + "Login form": [ + "Anmeldeformular" + ], + "Logout": [ + "Abmelden" + ], + "Main navigation": [ + "Hauptnavigation" + ], + "Make sure you provide the correct values": [ + "Stellen Sie sicher, dass Sie die richtigen Werte angeben" + ], + "Manage and format": [ + "Verwalten und formatieren" + ], + "Manual": [ + "Manuell" + ], + "Maximum": [ + "Maximum" + ], + "Maximum desired size": [ + "Gewünschte Maximalgröße" + ], + "Maximum must be greater than minimum": [ + "Das Maximum muss größer sein als das Minimum" + ], + "Members: %s": [ + "Mitglieder: %s" + ], + "Method": [ + "Methode" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Minimum" + ], + "Minimum desired size": [ + "Gewünschte Mindestgröße" + ], + "Minimum size is required": [ + "Mindestgröße ist erforderlich" + ], + "Mode": [ + "Modus" + ], + "Modify": [ + "Ändern" + ], + "More info for file system types": [ + "Weitere Informationen zu Dateisystemtypen" + ], + "Mount %1$s at %2$s (%3$s)": [ + "%1$s unter %2$s (%3$s) einhängen" + ], + "Mount Point": [ + "Einhängepunkt" + ], + "Mount point": [ + "Einhängepunkt" + ], + "Mount the file system": [ + "Dateisystem einhängen" + ], + "Multipath": [ + "Multipfad" + ], + "Name": [ + "Name" + ], + "Network": [ + "Netzwerk" + ], + "New": [ + "Neu" + ], + "No": [ + "Nein" + ], + "No Wi-Fi supported": [ + "Kein Wi-Fi unterstützt" + ], + "No additional software was selected.": [ + "Es wurde keine zusätzliche Software ausgewählt." + ], + "No connected yet": [ + "Noch nicht verbunden" + ], + "No content found": [ + "Kein Inhalt gefunden" + ], + "No device selected yet": [ + "Noch kein Gerät ausgewählt" + ], + "No iSCSI targets found.": [ + "Keine iSCSI-Ziele gefunden." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Es werden keine Partitionen automatisch für das Booten konfiguriert. Seien Sie vorsichtig." + ], + "No root authentication method defined yet.": [ + "Noch keine Root-Authentifizierungsmethode definiert." + ], + "No user defined yet.": [ + "Noch kein Benutzer definiert." + ], + "No wired connections found": [ + "Keine kabelgebundenen Verbindungen gefunden" + ], + "No zFCP controllers found.": [ + "Keine zFCP-Controller gefunden." + ], + "No zFCP disks found.": [ + "Keine zFCP-Festplatten gefunden." + ], + "None": [ + "Kein" + ], + "None of the keymaps match the filter.": [ + "Keine der Tastenzuordnungen entspricht dem Filter." + ], + "None of the locales match the filter.": [ + "Keines der Gebietsschemata entspricht dem Filter." + ], + "None of the patterns match the filter.": [ + "Keines der Muster entspricht dem Filter." + ], + "None of the time zones match the filter.": [ + "Keine der Zeitzonen entspricht dem Filter." + ], + "Not selected yet": [ + "Noch nicht ausgewählt" + ], + "Not set": [ + "Nicht festgelegt" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "" + ], + "On boot": [ + "Beim Booten" + ], + "Options toggle": [ + "Optionen umschalten" + ], + "Overview": [ + "Übersicht" + ], + "Partition Info": [ + "Partitionierungsinformationen" + ], + "Partition at %s": [ + "Partition auf %s" + ], + "Partition at installation disk": [ + "Partition auf der Installationsfestplatte" + ], + "Partitions and file systems": [ + "Partitionen und Dateisysteme" + ], + "Partitions to boot will be allocated at the following device.": [ + "Die zu bootenden Partitionen werden auf dem folgenden Gerät zugewiesen." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Die zu bootenden Partitionen werden auf der Installationsfestplatte (%s) zugewiesen." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Die zu bootenden Partitionen werden auf der Installationsfestplatte zugewiesen." + ], + "Password": [ + "Passwort" + ], + "Password Required": [ + "Passwort erforderlich" + ], + "Password confirmation": [ + "Passwort bestätigen" + ], + "Password input": [ + "Passworteingabe" + ], + "Password visibility button": [ + "Schaltfläche für die Sichtbarkeit des Passworts" + ], + "Passwords do not match": [ + "Passwörter stimmen nicht überein" + ], + "Pending": [ + "Ausstehend" + ], + "Perform an action": [ + "Aktion durchführen" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Geplante Aktionen" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Bitte beachten Sie, dass vor der Installation des Systems ein Benutzer definiert werden muss, um sich am System anmelden zu können." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Falls Sie unsicher sind, brechen Sie den Vorgang ab und überprüfen Sie die Einstellungen." + ], + "Please, check whether it is running.": [ + "Bitte prüfen Sie, ob es läuft." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Bitte definieren Sie mindestens eine Authentifizierungsmethode, um sich als root am System anmelden zu können." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Bitte führen Sie eine iSCSI-Erkennung durch, um verfügbare iSCSI-Ziele zu finden." + ], + "Please, provide its password to log in to the system.": [ + "Bitte geben Sie das Passwort für die Anmeldung am System an." + ], + "Please, review provided settings and try again.": [ + "Bitte überprüfen Sie die bereitgestellten Einstellungen und versuchen Sie es erneut." + ], + "Please, try to activate a zFCP controller.": [ + "Bitte versuchen Sie, einen zFCP-Controller zu aktivieren." + ], + "Please, try to activate a zFCP disk.": [ + "Bitte versuchen Sie, eine zFCP-Festplatte zu aktivieren." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Präfixlänge oder Netzmaske" + ], + "Presence of other volumes (%s)": [ + "Vorhandensein anderer Volumen (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Schutz für die auf dem Gerät gespeicherten Informationen, einschließlich Daten, Programme und Systemdateien." + ], + "Question": [ + "Frage" + ], + "Range": [ + "Bereich" + ], + "Read zFCP devices": [ + "zFCP-Geräte lesen" + ], + "Reboot": [ + "Neustart" + ], + "Reload": [ + "Neu laden" + ], + "Remove": [ + "Entfernen" + ], + "Remove max channel filter": [ + "" + ], + "Remove min channel filter": [ + "" + ], + "Reset location": [ + "Ort zurücksetzen" + ], + "Reset to defaults": [ + "Auf Standardeinstellungen zurücksetzen" + ], + "Reused %s": [ + "Wiederverwendetes %s" + ], + "Root SSH public key": [ + "Öffentlicher SSH-Schlüssel für root" + ], + "Root authentication": [ + "Root-Authentifizierung" + ], + "Root password": [ + "Root-Passwort" + ], + "SD Card": [ + "SD-Karte" + ], + "SSH Key": [ + "SSH-Schlüssel" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Suchen" + ], + "Security": [ + "Sicherheit" + ], + "See more details": [ + "Siehe weitere Details" + ], + "Select": [ + "Auswählen" + ], + "Select a disk": [ + "Festplatte auswählen" + ], + "Select a location": [ + "Ort auswählen" + ], + "Select a product": [ + "Wählen Sie ein Produkt aus" + ], + "Select booting partition": [ + "Boot-Partition auswählen" + ], + "Select how to allocate the file system": [ + "Wählen Sie aus, wie das Dateisystem zugewiesen werden soll" + ], + "Select in which device to allocate the file system": [ + "Wählen Sie aus, auf welchem Gerät das Dateisystem zugewiesen werden soll" + ], + "Select installation device": [ + "Installationsgerät auswählen" + ], + "Select what to do with each partition.": [ + "Wählen Sie aus, was mit jeder Partition gemacht werden soll." + ], + "Selected patterns": [ + "Ausgewählte Muster" + ], + "Separate LVM at %s": [ + "Separater LVM auf %s" + ], + "Server IP": [ + "Server-IP" + ], + "Set": [ + "Festlegen" + ], + "Set DIAG Off": [ + "DIAG ausschalten" + ], + "Set DIAG On": [ + "DIAG einschalten" + ], + "Set a password": [ + "Passwort festlegen" + ], + "Set a root password": [ + "Root-Passwort festlegen" + ], + "Set root SSH public key": [ + "Öffentlichen SSH-Schlüssel für root festlegen" + ], + "Show %d subvolume action": [ + "", + "" + ], + "Show information about %s": [ + "Informationen über %s anzeigen" + ], + "Show partitions and file-systems actions": [ + "Partitionen- und Dateisystemaktionen anzeigen" + ], + "Shrink existing partitions": [ + "Vorhandene Partitionen verkleinern" + ], + "Shrinking partitions is allowed": [ + "Verkleinern von Partitionen ist erlaubt" + ], + "Shrinking partitions is not allowed": [ + "Verkleinern von Partitionen ist nicht erlaubt" + ], + "Shrinking some partitions is allowed but not needed": [ + "Das Verkleinern einiger Partitionen ist erlaubt, aber nicht erforderlich" + ], + "Size": [ + "Größe" + ], + "Size unit": [ + "Größeneinheit" + ], + "Software": [ + "Software" + ], + "Software %s": [ + "Software %s" + ], + "Software selection": [ + "Softwareauswahl" + ], + "Something went wrong": [ + "Etwas ist schiefgelaufen" + ], + "Status": [ + "Status" + ], + "Storage": [ + "Speicherung" + ], + "Storage proposal not possible": [ + "Speichervorschlag nicht möglich" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Struktur des neuen Systems, einschließlich aller zusätzlichen Partitionen, die zum Booten benötigt werden" + ], + "Swap at %1$s (%2$s)": [ + "Auslagerung bei %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Auslagerungspartition (%s)" + ], + "Swap volume (%s)": [ + "Auslagerungsvolumen (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "Bei der TPM-Versiegelung muss das neue System direkt gebootet werden." + ], + "Table with mount points": [ + "Tabelle mit Einhängepunkten" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Nehmen Sie sich die Zeit, Ihre Konfiguration zu überprüfen, bevor Sie mit der Installation beginnen." + ], + "Target Password": [ + "Ziel-Passwort" + ], + "Targets": [ + "Ziele" + ], + "The amount of RAM in the system": [ + "Die Größe des Arbeitsspeichers im System" + ], + "The configuration of snapshots": [ + "Die Konfiguration der Schnappschüsse" + ], + "The content may be deleted": [ + "Der Inhalt kann gelöscht werden" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Das aktuelle Dateisystem auf %s wurde ausgewählt, um in %s eingehängt zu werden." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Das aktuelle Dateisystem auf dem ausgewählten Gerät wird eingehängt, ohne das Gerät zu formatieren." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Die Daten bleiben erhalten, aber die Größe der aktuellen Partitionen wird nach Bedarf geändert." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Die Daten werden beibehalten. Nur der Speicherplatz, der keiner Partition zugewiesen ist, wird verwendet." + ], + "The device cannot be shrunk:": [ + "Das Gerät kann nicht verkleinert werden:" + ], + "The encryption password did not work": [ + "Das Verschlüsselungspasswort hat nicht funktioniert" + ], + "The file system is allocated at the device %s.": [ + "Das Dateisystem ist dem Gerät %s zugewiesen." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Die Dateisysteme werden standardmäßig dem Installationsgerät zugeordnet. Geben Sie einen benutzerdefinierten Speicherort an, um das Dateisystem auf einem bestimmten Gerät zu erstellen." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Die Dateisysteme werden standardmäßig zugewiesen als [neue Partitionen im ausgewählten Gerät]." + ], + "The final size depends on %s.": [ + "Die endgültige Größe hängt von %s ab." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Der letzte Schritt zur Konfiguration des Trusted Platform Module (TPM) zum automatischen Öffnen verschlüsselter Geräte erfolgt beim ersten Booten des neuen Systems. Damit dies funktioniert, muss der Rechner direkt mit dem neuen Bootloader booten." + ], + "The following software patterns are selected for installation:": [ + "Die folgenden Softwaremuster werden für die Installation ausgewählt:" + ], + "The installation on your machine is complete.": [ + "Die Installation auf Ihrem Rechner ist abgeschlossen." + ], + "The installation will take": [ + "Die Installation benötigt" + ], + "The installation will take %s including:": [ + "Die Installation dauert %s einschließlich:" + ], + "The installer requires [root] user privileges.": [ + "Das Installationsprogramm erfordert [root]-Benutzerrechte." + ], + "The mount point is invalid": [ + "Der Einhängepunkt ist ungültig" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Die Optionen für den Dateisystemtyp hängen vom Produkt und dem Einhängepunkt ab." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Das Passwort wird nicht benötigt, um zu booten und auf die Daten zuzugreifen, wenn das TPM die Integrität des Systems verifizieren kann. Die TPM-Versiegelung erfordert, dass das neue System bei seinem ersten Start direkt gebootet wird." + ], + "The selected device will be formatted as %s file system.": [ + "Das ausgewählte Gerät wird als Dateisystem %s formatiert." + ], + "The size of the file system cannot be edited": [ + "Die Größe des Dateisystems kann nicht bearbeitet werden" + ], + "The system will use %s as its default language.": [ + "Das System wird %s als Standardsprache verwenden." + ], + "The systems will be configured as displayed below.": [ + "Die Systeme werden wie unten dargestellt konfiguriert." + ], + "The type and size of the file system cannot be edited.": [ + "Der Typ und die Größe des Dateisystems können nicht bearbeitet werden." + ], + "The zFCP disk was not activated.": [ + "Die zFCP-Festplatte wurde nicht aktiviert." + ], + "There is a predefined file system for %s.": [ + "Es gibt ein vordefiniertes Dateisystem für %s." + ], + "There is already a file system for %s.": [ + "Es gibt bereits ein Dateisystem für %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Dies sind die wichtigsten Installationseinstellungen. Weitere Einzelheiten finden Sie in den Abschnitten des Menüs." + ], + "These limits are affected by:": [ + "Diese Einschränkungen werden beeinflusst durch:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Bei diesem Produkt ist es nicht möglich, während der Installation Softwaremuster auszuwählen. Sie können jedoch zusätzliche Software hinzufügen, sobald die Installation abgeschlossen ist." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Dieser Bereich umfasst das Basissystem und die ausgewählten Softwaremuster, falls vorhanden." + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Zeitzone" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Um sicherzustellen, dass das neue System booten kann, muss das Installationsprogramm möglicherweise einige Partitionen auf der entsprechenden Festplatte erstellen oder konfigurieren." + ], + "Transactional Btrfs": [ + "Transaktionales Btrfs" + ], + "Transactional root file system": [ + "Transaktionales Wurzeldateisystem" + ], + "Type": [ + "Art" + ], + "Unit for the maximum size": [ + "Einheit für die Maximalgröße" + ], + "Unit for the minimum size": [ + "Einheit für die Mindestgröße" + ], + "Unselect": [ + "Abwählen" + ], + "Unused space": [ + "Ungenutzter Platz" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Bis zu %s können durch Verkleinern des Geräts zurückgewonnen werden." + ], + "Upload": [ + "Hochladen" + ], + "Upload a SSH Public Key": [ + "Öffentlichen SSH-Schlüssel hochladen" + ], + "Upload, paste, or drop an SSH public key": [ + "Öffentlichen SSH-Schlüssel hochladen, einfügen oder ablegen" + ], + "Use Btrfs snapshots for the root file system": [ + "Btrfs-Schnappschüsse für das Wurzeldateisystem verwenden" + ], + "Use available space": [ + "Verfügbaren Speicherplatz verwenden" + ], + "Use suggested username": [ + "Vorgeschlagenen Benutzernamen verwenden" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Das Trusted Platform Module (TPM) zur automatischen Entschlüsselung bei jedem Bootvorgang verwenden" + ], + "User full name": [ + "Vollständiger Name des Benutzers" + ], + "User name": [ + "Benutzername" + ], + "Username": [ + "Benutzername" + ], + "Username suggestion dropdown": [ + "Dropdown-Liste mit Vorschlägen für Benutzernamen" + ], + "Users": [ + "Benutzer" + ], + "WPA & WPA2 Personal": [ + "WPA & WPA2 Personal" + ], + "WPA Password": [ + "WPA-Passwort" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Warten" + ], + "Waiting for actions information...": [ + "Warten auf Informationen zu Aktionen ..." + ], + "Waiting for information about storage configuration": [ + "Warten auf Informationen zur Speicherkonfiguration" + ], + "Wired": [ + "Kabelgebunden" + ], + "Yes": [ + "Ja" + ], + "ZFCP": [ + "" + ], + "at least %s": [ + "mindestens %s" + ], + "auto": [ + "automatisch" + ], + "auto selected": [ + "automatisch ausgewählt" + ], + "configured": [ + "konfiguriert" + ], + "deleting current content": [ + "aktuellen Inhalt löschen" + ], + "disabled": [ + "deaktiviert" + ], + "enabled": [ + "aktiviert" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "Partitionen verkleinern" + ], + "the amount of RAM in the system": [ + "die Größe des Arbeitsspeichers im System" + ], + "the configuration of snapshots": [ + "die Konfiguration von Schnappschüssen" + ], + "the presence of the file system for %s": [ + "das Vorhandensein des Dateisystems für %s" + ], + "user autologin": [ + "Automatische Benutzeranmeldung" + ], + "using TPM unlocking": [ + "TPM-Entsperrung verwenden" + ], + "with custom actions": [ + "mit benutzerdefinierten Aktionen" + ], + "without modifying any partition": [ + "ohne eine Partition zu verändern" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "" + ], + "zFCP Disk activation form": [ + "" + ] +}; diff --git a/web/src/po/po.es.js b/web/src/po/po.es.js new file mode 100644 index 0000000000..30484af16d --- /dev/null +++ b/web/src/po/po.es.js @@ -0,0 +1,1480 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "es" + }, + " Timezone selection": [ + " Selección de zona horaria" + ], + " and ": [ + " y " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s en %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s partición %2$s (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s volumen (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s raíz en %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s partición raíz (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s volumen raíz (%2$s)" + ], + "%d partition will be shrunk": [ + "%d partición se reducirá", + "%d particiones se reducirán" + ], + "%s disk": [ + "disco %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s es un sistema inmutable con actualizaciones atómicas. Utiliza un sistema de archivos Btrfs de solo lectura actualizado mediante instantáneas." + ], + "%s logo": [ + "logo %s" + ], + "%s with %d partitions": [ + "%s con %d particiones" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Se requiere un punto de montaje" + ], + "A new LVM Volume Group": [ + "Un nuevo Grupo de Volúmen LVM" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "Se asignará un nuevo grupo de volúmenes en el disco seleccionado y el sistema de archivos se creará como un volumen lógico." + ], + "A size value is required": [ + "Se requiere un valor de tamaño" + ], + "Accept": [ + "Aceptar" + ], + "Action": [ + "Acción" + ], + "Actions": [ + "Acciones" + ], + "Actions for connection %s": [ + "Acciones para la conexión %s" + ], + "Actions to find space": [ + "Acciones para encontrar espacio" + ], + "Activate": [ + "Activar" + ], + "Activate disks": [ + "Activar discos" + ], + "Activate new disk": [ + "Activar nuevo disco" + ], + "Activate zFCP disk": [ + "Activar disco zFCP" + ], + "Activated": [ + "Activado" + ], + "Add %s file system": [ + "Agregar %s sistema de archivos" + ], + "Add DNS": [ + "Añadir DNS" + ], + "Add a SSH Public Key for root": [ + "Añadir una clave pública SSH para root" + ], + "Add an address": [ + "Añadir una dirección" + ], + "Add another DNS": [ + "Añadir otro DNS" + ], + "Add another address": [ + "Añadir otras direcciones" + ], + "Add file system": [ + "Agregar sistema de archivos" + ], + "Address": [ + "Dirección" + ], + "Addresses": [ + "Direcciones" + ], + "Addresses data list": [ + "Lista de datos de direcciones" + ], + "All fields are required": [ + "Todos los campos son obligatorios" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Se eliminarán todas las particiones y se perderán todos los datos de los discos." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Permitir iniciar una versión anterior del sistema después de cambios de configuración o actualizaciones de software." + ], + "Already set": [ + "Ya establecida" + ], + "An existing disk": [ + "Un disco existente" + ], + "At least one address must be provided for selected mode": [ + "Se debe proporcionar al menos una dirección para el modo seleccionado" + ], + "At this point you can power off the machine.": [ + "En este punto puede apagar el equipo." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "En este punto, puede reiniciar el equipo para iniciar sesión en el nuevo sistema." + ], + "Authentication by initiator": [ + "Autenticación por iniciador" + ], + "Authentication by target": [ + "Autenticación por objetivo" + ], + "Authentication failed, please try again": [ + "Error de autenticación, inténtelo de nuevo" + ], + "Auto": [ + "Automático" + ], + "Auto LUNs Scan": [ + "Escaneo automático de LUN" + ], + "Auto-login": [ + "Inicio de sesión automático" + ], + "Automatic": [ + "Automático" + ], + "Automatic (DHCP)": [ + "Automático (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "La exploración automática de LUN está [deshabilitada]. Los LUN deben configurarse manualmente después de activar un controlador." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "La exploración automática de LUN está [habilitada]. La activación de un controlador que se ejecuta en modo NPIV configurará automáticamente todos sus LUN." + ], + "Automatically calculated size according to the selected product.": [ + "Tamaño calculado automáticamente según el producto seleccionado." + ], + "Available products": [ + "Productos disponibles" + ], + "Back": [ + "Retroceder" + ], + "Back to device selection": [ + "Volver a la selección de dispositivos" + ], + "Before %s": [ + "Antes %s" + ], + "Before installing, please check the following problems.": [ + "Antes de instalar, verifique los siguientes problemas." + ], + "Before starting the installation, you need to address the following problems:": [ + "Antes de comenzar la instalación, debe solucionar los siguientes problemas:" + ], + "Boot partitions at %s": [ + "Arrancar particiones en %s" + ], + "Boot partitions at installation disk": [ + "Particiones de arranque en el disco de instalación" + ], + "Btrfs root partition with snapshots (%s)": [ + "Partición raíz Btrfs con instantáneas (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Volumen raíz Btrfs con instantáneas (%s)" + ], + "Btrfs with snapshots": [ + "Brtfs con instantáneas" + ], + "Cancel": [ + "Cancelar" + ], + "Cannot accommodate the required file systems for installation": [ + "No se pueden acomodar los sistemas de archivos necesarios para la instalación" + ], + "Cannot be changed in remote installation": [ + "No se puede cambiar en instalación remota" + ], + "Cannot connect to Agama server": [ + "No se pud conectar al servidor de Agama" + ], + "Cannot format all selected devices": [ + "No se pueden formatear todos los dispositivos seleccionados" + ], + "Change": [ + "Cambiar" + ], + "Change boot options": [ + "Cambiar opciones de arranque" + ], + "Change location": [ + "Cambiar ubicación" + ], + "Change product": [ + "Cambiar de producto" + ], + "Change selection": [ + "Cambiar selección" + ], + "Change the root password": [ + "Cambiar la contraseña de root" + ], + "Channel ID": [ + "Canal ID" + ], + "Check the planned action": [ + "Comprueba la acción planeada", + "Comprueba las %d acciones planeadas" + ], + "Choose a disk for placing the boot loader": [ + "Escoger un disco para colocar el cargador de arranque" + ], + "Clear": [ + "Limpiar" + ], + "Close": [ + "Cerrar" + ], + "Configuring the product, please wait ...": [ + "Configurando el producto, por favor espere..." + ], + "Confirm": [ + "Confirmar" + ], + "Confirm Installation": [ + "Confirmar instalación" + ], + "Congratulations!": [ + "¡Felicidades!" + ], + "Connect": [ + "Conectar" + ], + "Connect to a Wi-Fi network": [ + "Conectado a una red WIFI" + ], + "Connect to hidden network": [ + "Conectar a una red oculta" + ], + "Connect to iSCSI targets": [ + "Conectar a objetivos iSCSI" + ], + "Connected": [ + "Conectado" + ], + "Connected (%s)": [ + "Conectado (%s)" + ], + "Connected to %s": [ + "Conectado a %s" + ], + "Connecting": [ + "Conectando" + ], + "Connection actions": [ + "Acciones de conexión" + ], + "Continue": [ + "Continuar" + ], + "Controllers": [ + "Controladores" + ], + "Could not authenticate against the server, please check it.": [ + "No se pudo autenticar en el servidor, por favor verifíquelo." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "No se ha podido iniciar sesión. Por favor, asegúrese de que la contraseña es correcta." + ], + "Create a dedicated LVM volume group": [ + "Crear un grupo de volúmenes LVM dedicado" + ], + "Create a new partition": [ + "Crear una nueva partición" + ], + "Create user": [ + "Crear usuario" + ], + "Custom": [ + "Personalizado" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "Tabla de selección de dispositivos DASD" + ], + "DASDs table section": [ + "sección de tabla DASDs" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Desactivar" + ], + "Deactivated": [ + "Desactivado" + ], + "Define a user now": [ + "Definir un usuario ahora" + ], + "Delete": [ + "Eliminar" + ], + "Delete current content": [ + "Eliminar el contenido actual" + ], + "Destructive actions are allowed": [ + "Se permiten acciones destructivas" + ], + "Destructive actions are not allowed": [ + "No se permiten acciones destructivas" + ], + "Details": [ + "Detalles" + ], + "Device": [ + "Dispositivo" + ], + "Device selector for new LVM volume group": [ + "Selector de dispositivo para nuevo grupo de volúmenes LVM" + ], + "Device selector for target disk": [ + "Selector de dispositivo para disco de destino" + ], + "Devices: %s": [ + "Dispositivos: %s" + ], + "Discard": [ + "Descartar" + ], + "Disconnect": [ + "Desconectar" + ], + "Disconnected": [ + "Desconectado" + ], + "Discover": [ + "Descubrir" + ], + "Discover iSCSI Targets": [ + "Descubrir los objetivos iSCSI" + ], + "Discover iSCSI targets": [ + "Descubrir objetivos iSCSI" + ], + "Disk": [ + "Disco" + ], + "Disks": [ + "Discos" + ], + "Do not configure": [ + "No configurar" + ], + "Do not configure partitions for booting": [ + "No configurar particiones para el arranque" + ], + "Do you want to add it?": [ + "¿Quieres añadirlo?" + ], + "Do you want to edit it?": [ + "¿Quieres editarlo?" + ], + "Download logs": [ + "Descargar los registros" + ], + "Edit": [ + "Editar" + ], + "Edit %s": [ + "Editar %s" + ], + "Edit %s file system": [ + "Editar %s sistema de archivos" + ], + "Edit connection %s": [ + "Editar conexión %s" + ], + "Edit file system": [ + "Editar sistema de archivos" + ], + "Edit iSCSI Initiator": [ + "Editar iniciador iSCSI" + ], + "Edit password too": [ + "Editar contraseña también" + ], + "Edit the SSH Public Key for root": [ + "Editar la clave pública SSH para root" + ], + "Edit user": [ + "Editar usuario" + ], + "Enable": [ + "Habilitado" + ], + "Encrypt the system": [ + "Cifrar el sistema" + ], + "Encrypted Device": [ + "Dispositivo cifrado" + ], + "Encryption": [ + "Cifrado" + ], + "Encryption Password": [ + "Contraseña de cifrado" + ], + "Exact size": [ + "Tamaño exacto" + ], + "Exact size for the file system.": [ + "Tamaño exacto para el sistema de archivos." + ], + "File system type": [ + "Tipo de sistema de archivos" + ], + "File systems created as new partitions at %s": [ + "Sistemas de archivos creados como particiones nuevas en %s" + ], + "File systems created at a new LVM volume group": [ + "Sistemas de archivos creados en un nuevo grupo de volúmenes LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Sistemas de archivos creados en un nuevo grupo de volúmenes LVM en %s" + ], + "Filter by description or keymap code": [ + "Filtrar por descripción o código de mapa de teclas" + ], + "Filter by language, territory or locale code": [ + "Filtrar por idioma, territorio o código local" + ], + "Filter by max channel": [ + "Filtrar por canal máximo" + ], + "Filter by min channel": [ + "Filtrar por canal mínimo" + ], + "Filter by pattern title or description": [ + "Filtrar por título o descripción del patrón" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrar por territorio, código de zona horaria o compensación UTC" + ], + "Final layout": [ + "Diseño final" + ], + "Finish": [ + "Finalizar" + ], + "Finished": [ + "Finalizado" + ], + "First user": [ + "Primer usuario" + ], + "Fixed": [ + "Fijado" + ], + "Forget": [ + "Olvidar" + ], + "Forget connection %s": [ + "Olvidar conexión %s" + ], + "Format": [ + "Formatear" + ], + "Format selected devices?": [ + "¿Formatear los dispositivos seleccionados?" + ], + "Format the device": [ + "Formatear el dispositivo" + ], + "Formatted": [ + "Formateado" + ], + "Formatting DASD devices": [ + "Formatear dispositivos DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Full Disk Encryption (FDE) permite proteger la información almacenada en el dispositivo, incluidos datos, programas y archivos del sistema." + ], + "Full name": [ + "Nombre completo" + ], + "Gateway": [ + "Puerta de enlace" + ], + "Gateway can be defined only in 'Manual' mode": [ + "La puerta de enlace sólo se puede definir en modo 'Manual'" + ], + "GiB": [ + "GB" + ], + "Hide %d subvolume action": [ + "Ocultar %d acción de subvolumen", + "Ocultar %d acciones de subvolumen" + ], + "Hide details": [ + "Ocultar detalles" + ], + "IP Address": [ + "Dirección IP" + ], + "IP address": [ + "Dirección IP" + ], + "IP addresses": [ + "Direcciones IP" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Si se utilizó un medio local para ejecutar este instalador, expúlselo antes del próximo inicio." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Si continúa, las particiones de su disco duro se modificarán de acuerdo con la configuración de instalación proporcionada." + ], + "In progress": [ + "En progreso" + ], + "Incorrect IP address": [ + "Dirección IP incorrecta" + ], + "Incorrect password": [ + "Contraseña incorrecta" + ], + "Incorrect port": [ + "Puerto incorrecto" + ], + "Incorrect user name": [ + "Nombre de usuario incorrecto" + ], + "Initiator": [ + "Iniciador" + ], + "Initiator name": [ + "Nombre del iniciador" + ], + "Install": [ + "Instalar" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) elimina todo el contenido de los dispositivos subyacentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) en %s eliminando todo su contenido" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) en %s, reduciendo las particiones existentes según sea necesario" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) en %s usando una estrategia personalizada para encontrar el espacio necesario" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) en %s sin modificar las particiones existentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) reduciendo las particiones existentes en los dispositivos subyacentes según sea necesario" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) utilizando una estrategia personalizada para encontrar el espacio necesario en los dispositivos subyacentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Instalar en un nuevo grupo de volúmenes de Logical Volume Manager (LVM) sin modificar las particiones en los dispositivos subyacentes" + ], + "Install new system on": [ + "Instalar nuevo sistema en" + ], + "Install using device %s and deleting all its content": [ + "Instalar utilizando el dispositivo %s y eliminar todo su contenido" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Instalar utilizando el dispositivo %s reduciendo las particiones existentes según sea necesario" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Instalar usando el dispositivo %s con una estrategia personalizada para encontrar el espacio necesario" + ], + "Install using device %s without modifying existing partitions": [ + "Instalar utilizando el dispositivo %s sin modificar las particiones existentes" + ], + "Installation blocking issues": [ + "Problemas bloqueando la instalación" + ], + "Installation device": [ + "Dispositivo de instalación" + ], + "Installation issues": [ + "Problemas en la instalación" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "Aún no es posible la instalación debido a problemas. Verifíquelos en la página de Descripción general." + ], + "Installation will configure partitions for booting at %s.": [ + "La instalación configurará las particiones para arrancar en %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "La instalación configurará las particiones para arrancar en el disco de instalación." + ], + "Installation will not configure partitions for booting.": [ + "La instalación no configurará particiones para el arranque." + ], + "Installation will take %s.": [ + "La instalación ocupará %s." + ], + "Installer Options": [ + "Opciones del Instalador" + ], + "Installer options": [ + "Opciones del instalador" + ], + "Installing the system, please wait...": [ + "Instalando el sistema, espere por favor..." + ], + "Interface": [ + "Interfaz" + ], + "Ip prefix or netmask": [ + "Prefijo IP o máscara de red" + ], + "Keyboard": [ + "Teclado" + ], + "Keyboard layout": [ + "Esquema del teclado" + ], + "Keyboard selection": [ + "Selección de teclado" + ], + "KiB": [ + "KB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Idioma" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Límites para el tamaño del sistema de archivos. El tamaño final será un valor entre el mínimo y el máximo dados. Si no se da un máximo, el sistema de archivos será lo más grande posible." + ], + "Loading data...": [ + "Cargando los datos..." + ], + "Loading installation environment, please wait.": [ + "Cargando el entorno de instalación, espere por favor." + ], + "Locale selection": [ + "Selección de configuración regional" + ], + "Localization": [ + "Localización" + ], + "Location": [ + "Ubicación" + ], + "Location for %s file system": [ + "Ubicación del sistema de archivos %s" + ], + "Log in": [ + "Iniciar sesión" + ], + "Log in as %s": [ + "Iniciar sesión como %s" + ], + "Logical volume at system LVM": [ + "Volumen lógico en el sistema LVM" + ], + "Login": [ + "Acceder" + ], + "Login %s": [ + "Iniciar sesión %s" + ], + "Login form": [ + "Formulario de inicio de sesión" + ], + "Logout": [ + "Cerrar sesión" + ], + "Main disk or LVM Volume Group for installation.": [ + "Disco principal o el grupo de volúmenes LVM para la instalación." + ], + "Main navigation": [ + "Navegación principal" + ], + "Make sure you provide the correct values": [ + "Asegúrese de proporcionar los valores correctos" + ], + "Manage and format": [ + "Administrar y formatear" + ], + "Manual": [ + "Manual" + ], + "Maximum": [ + "Máximo" + ], + "Maximum desired size": [ + "Tamaño máximo deseado" + ], + "Maximum must be greater than minimum": [ + "El máximo debe ser mayor que el mínimo" + ], + "Members: %s": [ + "Miembros: %s" + ], + "Method": [ + "Método" + ], + "MiB": [ + "MB" + ], + "Minimum": [ + "Mínimo" + ], + "Minimum desired size": [ + "Tamaño mínimo deseado" + ], + "Minimum size is required": [ + "Se requiere un tamaño mínimo" + ], + "Mode": [ + "Modo" + ], + "Modify": [ + "Modificar" + ], + "More info for file system types": [ + "Más información para los tipos de sistemas de archivos" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Montar %1$s en %2$s (%3$s)" + ], + "Mount Point": [ + "Punto de montaje" + ], + "Mount point": [ + "Punto de montaje" + ], + "Mount the file system": [ + "Montar el sistema de archivos" + ], + "Multipath": [ + "Ruta múltiple" + ], + "Name": [ + "Nombre" + ], + "Network": [ + "Red" + ], + "New": [ + "Nuevo" + ], + "No": [ + "No" + ], + "No Wi-Fi supported": [ + "Wi-Fi no admitida" + ], + "No additional software was selected.": [ + "No se seleccionó software adicional." + ], + "No connected yet": [ + "Aún no conectado" + ], + "No content found": [ + "No se encontró contenido" + ], + "No device selected yet": [ + "Ningún dispositivo seleccionado todavía" + ], + "No iSCSI targets found.": [ + "No se encontraron objetivos iSCSI." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "No se configurarán particiones automáticamente para el arranque. Úselo con precaución." + ], + "No root authentication method defined yet.": [ + "Aún no se ha definido ningún método de autenticación de root." + ], + "No user defined yet.": [ + "Ningún usuario definido todavía." + ], + "No visible Wi-Fi networks found": [ + "No se encontraron redes Wi-Fi visibles" + ], + "No wired connections found": [ + "No se encontraron conexiones por cable" + ], + "No zFCP controllers found.": [ + "No se encontraron controladores zFCP." + ], + "No zFCP disks found.": [ + "No se encontraron discos zFCP." + ], + "None": [ + "Ninguno" + ], + "None of the keymaps match the filter.": [ + "Ninguno de los mapas de teclas coincide con el filtro." + ], + "None of the locales match the filter.": [ + "Ninguna de las configuraciones regionales coincide con el filtro." + ], + "None of the patterns match the filter.": [ + "Ninguno de los patrones coincide con el filtro." + ], + "None of the time zones match the filter.": [ + "Ninguna de las zonas horarias coincide con el filtro." + ], + "Not selected yet": [ + "Aún no seleccionado" + ], + "Not set": [ + "No establecida" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Los dispositivos sin conexión deben activarse antes de ser formateados. Por favor deseleccione o active los dispositivos listados debajo y trate nuevamente" + ], + "Offload card": [ + "Descargar tarjeta" + ], + "On boot": [ + "En arranque" + ], + "Only available if authentication by target is provided": [ + "Solo disponible si se proporciona autenticación por destino" + ], + "Options toggle": [ + "Conmutador de opciones" + ], + "Other": [ + "Otro" + ], + "Overview": [ + "Descripción general" + ], + "Partition Info": [ + "Información de la partición" + ], + "Partition at %s": [ + "Partición en %s" + ], + "Partition at installation disk": [ + "Partición en el disco de instalación" + ], + "Partitions and file systems": [ + "Particiones y sistemas de archivos" + ], + "Partitions to boot will be allocated at the following device.": [ + "Las particiones para arrancar se asignarán en el siguiente dispositivo." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Las particiones para arrancar se asignarán en el disco de instalación (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Las particiones para arrancar se asignarán en el disco de instalación." + ], + "Password": [ + "Contraseña" + ], + "Password Required": [ + "Se requiere contraseña" + ], + "Password confirmation": [ + "Confirmación de contraseña" + ], + "Password input": [ + "Entrada de contraseña" + ], + "Password visibility button": [ + "Botón de visibilidad de contraseña" + ], + "Passwords do not match": [ + "Las contraseñas no coinciden" + ], + "Pending": [ + "Pendiente" + ], + "Perform an action": [ + "Realizar una acción" + ], + "PiB": [ + "PB" + ], + "Planned Actions": [ + "Acciones planeadas" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Tenga en cuenta que se debe definir un usuario antes de instalar el sistema para poder iniciar sesión en él." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Por favor, cancele y verifique la configuración si no está seguro." + ], + "Please, check whether it is running.": [ + "Por favor, compruebe si está funcionando." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Por favor, defina al menos un método de autenticación para iniciar sesión en el sistema como root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Realice una exploación de iSCSI para encontrar objetivos iSCSI disponibles." + ], + "Please, provide its password to log in to the system.": [ + "Por favor, proporcione su contraseña para iniciar sesión en el sistema." + ], + "Please, review provided settings and try again.": [ + "Por favor, revise la configuración proporcionada y vuelva a intentarlo." + ], + "Please, try to activate a zFCP controller.": [ + "Por favor, intente activar un controlador zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Por favor, intente activar un disco zFCP." + ], + "Port": [ + "Puerto" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Longitud del prefijo o máscara de red" + ], + "Prepare more devices by configuring advanced": [ + "Preparar más dispositivos configurando de forma avanzada" + ], + "Presence of other volumes (%s)": [ + "Presencia de otros volúmenes (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Protección de la información almacenada en el dispositivo, incluidos datos, programas y archivos del sistema." + ], + "Question": [ + "Pregunta" + ], + "Range": [ + "Rango" + ], + "Read zFCP devices": [ + "Leer dispositivos zFCP" + ], + "Reboot": [ + "Reiniciar" + ], + "Reload": [ + "Recargar" + ], + "Remove": [ + "Eliminar" + ], + "Remove max channel filter": [ + "Eliminar filtro de canal máximo" + ], + "Remove min channel filter": [ + "Eliminar filtro de canal mínimo" + ], + "Reset location": [ + "Reiniciar localización" + ], + "Reset to defaults": [ + "Restablecer los valores predeterminados" + ], + "Reused %s": [ + "Reutilizado %s" + ], + "Root SSH public key": [ + "Clave pública SSH de root" + ], + "Root authentication": [ + "Autenticación de root" + ], + "Root password": [ + "Contraseña de root" + ], + "SD Card": [ + "Tarjeta SD" + ], + "SSH Key": [ + "Clave SSH" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Buscar" + ], + "Security": [ + "Seguridad" + ], + "See more details": [ + "Ver más detalles" + ], + "Select": [ + "Seleccionar" + ], + "Select a disk": [ + "Seleccionar un disco" + ], + "Select a location": [ + "Seleccionar una ubicación" + ], + "Select a product": [ + "Seleccionar un producto" + ], + "Select booting partition": [ + "Seleccion la partición de arranque" + ], + "Select how to allocate the file system": [ + "Seleccionar cómo asignar el sistema de archivos" + ], + "Select in which device to allocate the file system": [ + "Seleccione en qué dispositivo asignar el sistema de archivos" + ], + "Select installation device": [ + "Seleccionar el dispositivo de instalación" + ], + "Select what to do with each partition.": [ + "Seleccione qué hacer con cada partición." + ], + "Selected patterns": [ + "Seleccione los patrones" + ], + "Separate LVM at %s": [ + "Separar LVM en %s" + ], + "Server IP": [ + "Servidor IP" + ], + "Set": [ + "Establecer" + ], + "Set DIAG Off": [ + "Desactivar DIAG" + ], + "Set DIAG On": [ + "Activar DIAG" + ], + "Set a password": [ + "Establecer una contraseña" + ], + "Set a root password": [ + "Establecer una contraseña de root" + ], + "Set root SSH public key": [ + "Establecer clave pública SSH de root" + ], + "Show %d subvolume action": [ + "Mostrar %d acción de subvolumen", + "Mostrar %d acciones de subvolumen" + ], + "Show information about %s": [ + "Mostrar información sobre %s" + ], + "Show partitions and file-systems actions": [ + "Mostrar acciones de particiones y sistemas de archivos" + ], + "Shrink existing partitions": [ + "Reducir las particiones existentes" + ], + "Shrinking partitions is allowed": [ + "Se permite reducir las particiones existentes" + ], + "Shrinking partitions is not allowed": [ + "No se permite reducir las particiones existentes" + ], + "Shrinking some partitions is allowed but not needed": [ + "Se permite reducir algunas particiones, pero no es necesario" + ], + "Size": [ + "Tamaño" + ], + "Size unit": [ + "Unidad de tamaño" + ], + "Software": [ + "Software" + ], + "Software %s": [ + "Software %s" + ], + "Software selection": [ + "Selección de software" + ], + "Something went wrong": [ + "Algo salió mal" + ], + "Space policy": [ + "Política de espacio" + ], + "Startup": [ + "Puesta en marcha" + ], + "Status": [ + "Estado" + ], + "Storage": [ + "Almacenamiento" + ], + "Storage proposal not possible": [ + "Propuesta de almacenamiento no posible" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Estructura del nuevo sistema, incluida cualquier partición adicional necesaria para el arranque" + ], + "Swap at %1$s (%2$s)": [ + "Intercambiar en %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Partición de intercambio (%s)" + ], + "Swap volume (%s)": [ + "Volumen de intercambio (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "El sellado TPM requiere que el nuevo sistema se inicie directamente." + ], + "Table with mount points": [ + "Tabla con puntos de montaje" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Dedica un tiempo para verificar la configuración antes de iniciar el proceso de instalación." + ], + "Target Password": [ + "Contraseña de destino" + ], + "Targets": [ + "Objetivos" + ], + "The amount of RAM in the system": [ + "La cantidad de memoria RAM en el sistema" + ], + "The configuration of snapshots": [ + "La configuración de instantáneas" + ], + "The content may be deleted": [ + "El contenido puede ser eliminado" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "El actual sistema de archivos en %s está seleccionado para ser montado en %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "El actual sistema de archivos en el dispositivo seleccionado se montará sin formatear el dispositivo." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Los datos se conservan, pero las particiones actuales cambiarán de tamaño según sea necesario." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Los datos se conservan. Sólo se utilizará el espacio que no esté asignado a ninguna partición." + ], + "The device cannot be shrunk:": [ + "El dispositivo no se puede reducir:" + ], + "The encryption password did not work": [ + "La contraseña de cifrado no funcionó" + ], + "The file system is allocated at the device %s.": [ + "El sistema de archivos está asignado en el dispositivo %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "El sistema de archivos se asignará como una nueva partición en el disco seleccionado." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Los sistemas de archivos son asignados por defecto en el dispositivo de instalación. Indique una ubicación personalizada para crear el sistema de archivos en un dispositivo específico." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Los sistemas de archivos se asignarán de forma predeterminada como [volúmenes lógicos de un nuevo grupo de volúmenes LVM]. Los volúmenes físicos correspondientes se crearán según demanda como nuevas particiones en los dispositivos seleccionados." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Los sistemas de archivos se asignarán de forma predeterminada como [nuevas particiones en el dispositivo seleccionado]." + ], + "The final size depends on %s.": [ + "El tamaño final depende de %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "El último paso para configurar Trusted Platform Module (TPM) para abrir automáticamente dispositivos cifrados se llevará a cabo durante el primer inicio del nuevo sistema. Para que eso funcione, la máquina debe iniciarse directamente en el nuevo gestor de arranque." + ], + "The following software patterns are selected for installation:": [ + "Los siguientes patrones de software están seleccionados para la instalación:" + ], + "The installation on your machine is complete.": [ + "La instalación en su equipo está completa." + ], + "The installation will take": [ + "La instalación ocupará" + ], + "The installation will take %s including:": [ + "La instalación ocupará %s incluyendo:" + ], + "The installer requires [root] user privileges.": [ + "El instalador requiere privilegios de usuario [root]." + ], + "The mount point is invalid": [ + "El punto de montaje no es válido" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Las opciones para el tipo de sistema de archivos dependen del producto y del punto de montaje." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "La contraseña no será necesaria para iniciar y acceder a los datos si TPM puede verificar la integridad del sistema. El sellado TPM requiere que el nuevo sistema se inicie directamente en su primera ejecución." + ], + "The selected device will be formatted as %s file system.": [ + "El dispositivo seleccionado se formateará como un sistema de archivos %s." + ], + "The size of the file system cannot be edited": [ + "El tamaño del sistema de archivos no puede ser editado" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "El sistema no admite conexiones WiFi, probablemente debido a que falta hardware o está deshabilitado." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "El sistema aún no se ha configurado para conectarse a una red WiFi." + ], + "The system will use %s as its default language.": [ + "El sistema utilizará %s como su idioma predeterminado." + ], + "The systems will be configured as displayed below.": [ + "Los sistemas se configurarán como se muestra a continuación." + ], + "The type and size of the file system cannot be edited.": [ + "El tipo y el tamaño del sistema de archivos no puede ser editado." + ], + "The zFCP disk was not activated.": [ + "El disco zFCP no estaba activado." + ], + "There is a predefined file system for %s.": [ + "Hay un sistema de archivos predefinido para %s." + ], + "There is already a file system for %s.": [ + "Ya existe un sistema de archivos para %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Estas son las configuraciones de instalación más relevantes. No dude en explorar las secciones del menú para obtener más detalles." + ], + "These limits are affected by:": [ + "Estos límites se ven afectados por:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Esta acción podría destruir cualquier dato almacenado en los dispositivos listados debajo. Por favor confirme que realmente desea continuar." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Este producto no permite seleccionar patrones de software durante la instalación. Sin embargo, puede agregar software adicional una vez finalizada la instalación." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Este espacio incluye el sistema base y los patrones de software seleccionados, si los hubiera." + ], + "TiB": [ + "TB" + ], + "Time zone": [ + "Zona horaria" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Para garantizar que el nuevo sistema pueda iniciarse, es posible que el instalador deba crear o configurar algunas particiones en el disco apropiado." + ], + "Transactional Btrfs": [ + "Transaccional Brtfs" + ], + "Transactional Btrfs root partition (%s)": [ + "Partición raíz transaccional Btrfs (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Volumen raíz transaccional de Btrfs (%s)" + ], + "Transactional root file system": [ + "Sistema de archivos raíz transaccional" + ], + "Type": [ + "Tipo" + ], + "Unit for the maximum size": [ + "Unidad para el tamaño máximo" + ], + "Unit for the minimum size": [ + "Unidad para el tamaño mínimo" + ], + "Unselect": [ + "Deseleccionar" + ], + "Unused space": [ + "Espacio no utilizado" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Se pueden recuperar hasta %s reduciendo el dispositivo." + ], + "Upload": [ + "Cargar" + ], + "Upload a SSH Public Key": [ + "Cargar una clave pública SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Cargar, pegar o arrastrar una clave pública SSH" + ], + "Usage": [ + "Uso" + ], + "Use Btrfs snapshots for the root file system": [ + "Utilizar instantáneas de Btrfs para el sistema de archivos raíz" + ], + "Use available space": [ + "Utilice el espacio disponible" + ], + "Use suggested username": [ + "Usar nombre de usuario sugerido" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Utilizar Trusted Platform Module(TPM) para descifrar automáticamente en cada arranque" + ], + "User full name": [ + "Nombre completo del usuario" + ], + "User name": [ + "Nombre de usuario" + ], + "Username": [ + "Nombre de usuario" + ], + "Username suggestion dropdown": [ + "Menú desplegable de sugerencias de nombre de usuario" + ], + "Users": [ + "Usuarios" + ], + "Visible Wi-Fi networks": [ + "Redes WIFI visibles" + ], + "WPA & WPA2 Personal": [ + "WPA y WPA2 personales" + ], + "WPA Password": [ + "Contraseña WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Esperar" + ], + "Waiting for actions information...": [ + "Esperando información de acciones..." + ], + "Waiting for information about storage configuration": [ + "Esperando información sobre la configuración de almacenamiento" + ], + "Wi-Fi": [ + "WiFi" + ], + "WiFi connection form": [ + "Formulario de conexión WiFi" + ], + "Wired": [ + "Cableada" + ], + "Wires: %s": [ + "Wires: %s" + ], + "Yes": [ + "Sí" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "afectados" + ], + "at least %s": [ + "al menos %s" + ], + "auto": [ + "automático" + ], + "auto selected": [ + "seleccionado automáticamente" + ], + "configured": [ + "Configurado" + ], + "deleting current content": [ + "eliminando el contenido actual" + ], + "disabled": [ + "desactivado" + ], + "enabled": [ + "activado" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "reduciendo las particiones" + ], + "storage techs": [ + "tecnologías de almacenamiento" + ], + "the amount of RAM in the system": [ + "la cantidad de memoria RAM en el sistema" + ], + "the configuration of snapshots": [ + "la configuración de las instantáneas" + ], + "the presence of the file system for %s": [ + "la presencia del sistema de archivos para %s" + ], + "user autologin": [ + "inicio de sesión automático del usuario" + ], + "using TPM unlocking": [ + "usando el desbloqueo TPM" + ], + "with custom actions": [ + "con acciones personalizadas" + ], + "without modifying any partition": [ + "sin modificar ninguna partición" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "Activación del disco zFCP" + ], + "zFCP Disk activation form": [ + "Formulario de activación del disco zFCP" + ] +}; diff --git a/web/src/po/po.fr.js b/web/src/po/po.fr.js new file mode 100644 index 0000000000..88fbcd4f81 --- /dev/null +++ b/web/src/po/po.fr.js @@ -0,0 +1,1260 @@ +export default { + "": { + "plural-forms": (n) => n > 1, + "language": "fr" + }, + " Timezone selection": [ + " Sélection du fuseau horaire" + ], + " and ": [ + " et " + ], + "%1$s root at %2$s (%3$s)": [ + "Root %1$s sur %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "Partition root %1$s (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "Volume root %1$s (%2$s)" + ], + "%d partition will be shrunk": [ + "La partition %d sera réduite", + "Les partitions %d seront réduites" + ], + "%s disk": [ + "Disque %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s est un système immuable avec des mises à jour atomiques. Il utilise un système de fichiers Btrfs en lecture seule mis à jour via des clichés." + ], + "%s logo": [ + "" + ], + "%s with %d partitions": [ + "%s avec %d partitions" + ], + ", ": [ + ", " + ], + "A new LVM Volume Group": [ + "Un nouveau groupe de volumes LVM" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "Un nouveau groupe de volumes sera attribué au disque sélectionné et le système de fichiers sera créé en tant que volume logique." + ], + "A size value is required": [ + "Une valeur de taille est requise" + ], + "Accept": [ + "Accepter" + ], + "Action": [ + "Action" + ], + "Actions": [ + "Actions" + ], + "Actions for connection %s": [ + "Actions concernant la connexion %s" + ], + "Actions to find space": [ + "Actions pour trouver de l'espace" + ], + "Activate": [ + "Activer" + ], + "Activate disks": [ + "Activer les disques" + ], + "Activate new disk": [ + "Activer un nouveau disque" + ], + "Activate zFCP disk": [ + "Activer le disque zFCP" + ], + "Activated": [ + "Activé" + ], + "Add DNS": [ + "Ajouter un DNS" + ], + "Add a SSH Public Key for root": [ + "Ajouter une clé publique SSH pour root" + ], + "Add an address": [ + "Ajouter une adresse" + ], + "Add another DNS": [ + "Ajouter un autre DNS" + ], + "Add another address": [ + "Ajouter une autre adresse" + ], + "Add file system": [ + "Ajouter un système de fichiers" + ], + "Address": [ + "Adresse" + ], + "Addresses": [ + "Adresses" + ], + "Addresses data list": [ + "Liste des données d'adresses" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Toutes les partitions seront supprimées et toutes les données contenues dans les disques seront perdues." + ], + "Already set": [ + "Déjà réglé" + ], + "An existing disk": [ + "Un disque existant" + ], + "At least one address must be provided for selected mode": [ + "Au moins une adresse doit être fournie pour le mode sélectionné" + ], + "At this point you can power off the machine.": [ + "Vous pouvez à présent éteindre la machine." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Vous pouvez à présent redémarrer la machine pour vous connecter au nouveau système." + ], + "Authentication by initiator": [ + "Authentification par initiateur" + ], + "Authentication by target": [ + "Authentification par cible" + ], + "Auto": [ + "Auto" + ], + "Auto LUNs Scan": [ + "Balayage LUN automatique" + ], + "Auto-login": [ + "connexion automatique" + ], + "Automatic": [ + "Automatique" + ], + "Automatic (DHCP)": [ + "Automatique (DHCP)" + ], + "Automatically calculated size according to the selected product.": [ + "La taille est automatiquement calculée en fonction du produit sélectionné." + ], + "Available products": [ + "Produits disponibles" + ], + "Back": [ + "Retour" + ], + "Before installing, please check the following problems.": [ + "Avant de procéder à l'installation, veuillez vérifier les problèmes suivants." + ], + "Before starting the installation, you need to address the following problems:": [ + "Avant de démarrer l'installation, vous devez résoudre les problèmes suivants :" + ], + "Boot partitions at %s": [ + "Partitions d'amorçage sur %s" + ], + "Boot partitions at installation disk": [ + "Partitions de démarrage sur le disque d'installation" + ], + "Btrfs root partition with snapshots (%s)": [ + "Partition root Btrfs avec clichés (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Volume racine Btrfs avec instantanés (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs avec clichés" + ], + "Cancel": [ + "Annuler" + ], + "Cannot be changed in remote installation": [ + "Ne peut être modifié dans l'installation à distance" + ], + "Cannot connect to Agama server": [ + "Impossible de se connecter au serveur Agama" + ], + "Change": [ + "Changer" + ], + "Change boot options": [ + "Modifier les options d'amorçage" + ], + "Change location": [ + "Changer la localisation" + ], + "Change product": [ + "Changer de produit" + ], + "Change the root password": [ + "Modifier le mot de passe root" + ], + "Channel ID": [ + "ID du canal" + ], + "Choose a disk for placing the boot loader": [ + "Choisir un disque pour placer le chargeur d'amorçage" + ], + "Clear": [ + "Effacer" + ], + "Close": [ + "Fermer" + ], + "Configuring the product, please wait ...": [ + "Configuration du produit, veuillez patienter ..." + ], + "Confirm": [ + "Confirmer" + ], + "Confirm Installation": [ + "Confirmer l'installation" + ], + "Congratulations!": [ + "Félicitations!" + ], + "Connect": [ + "Se connecter" + ], + "Connect to a Wi-Fi network": [ + "Se connecter à un réseau Wi-Fi" + ], + "Connect to hidden network": [ + "Se connecter à un réseau caché" + ], + "Connect to iSCSI targets": [ + "Se connecter aux cibles iSCSI" + ], + "Connected": [ + "Connecté" + ], + "Connected (%s)": [ + "Connecté (%s)" + ], + "Connecting": [ + "Connexion" + ], + "Connection actions": [ + "Actions de connexion" + ], + "Continue": [ + "Continuer" + ], + "Controllers": [ + "" + ], + "Could not authenticate against the server, please check it.": [ + "Impossible de s'authentifier auprès du serveur, veuillez le vérifier." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Connexion impossible. Veuillez vous assurer que le mot de passe soit correct." + ], + "Create a new partition": [ + "Créer une nouvelle partition" + ], + "Custom": [ + "Personnalisé" + ], + "DASD %s": [ + "DASD %s" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Désactiver" + ], + "Deactivated": [ + "Désactivé" + ], + "Define a user now": [ + "Définir un utilisateur maintenant" + ], + "Delete": [ + "Supprimer" + ], + "Delete current content": [ + "Supprimer le contenu actuel" + ], + "Destructive actions are allowed": [ + "Les actions destructrices sont permises" + ], + "Destructive actions are not allowed": [ + "Les actions destructrices sont interdites" + ], + "Details": [ + "Détails" + ], + "Device": [ + "Périphérique" + ], + "Device selector for new LVM volume group": [ + "Sélecteur de périphériques pour le nouveau groupe de volumes LVM" + ], + "Device selector for target disk": [ + "Sélecteur de périphérique pour le disque cible" + ], + "Devices: %s": [ + "Périphériques : %s" + ], + "Discard": [ + "Rejeter" + ], + "Disconnect": [ + "Déconnexion" + ], + "Disconnected": [ + "Déconnecté" + ], + "Discover": [ + "Découvrir" + ], + "Discover iSCSI Targets": [ + "Découvrir les cibles iSCSI" + ], + "Discover iSCSI targets": [ + "Découvrir les cibles iSCSI" + ], + "Disk": [ + "Disque" + ], + "Disks": [ + "Disques" + ], + "Do not configure": [ + "Ne pas configurer" + ], + "Do not configure partitions for booting": [ + "Ne pas configurer les partitions pour l'amorçage" + ], + "Download logs": [ + "Télécharger les journaux" + ], + "Edit": [ + "Modifier" + ], + "Edit %s": [ + "Modifier %s" + ], + "Edit connection %s": [ + "Modifier la connexion %s" + ], + "Edit file system": [ + "Modifier le système de fichiers" + ], + "Edit iSCSI Initiator": [ + "Modifier l'initiateur iSCSI" + ], + "Edit password too": [ + "Modifier également le mot de passe" + ], + "Edit the SSH Public Key for root": [ + "Modifier la clé publique SSH pour root" + ], + "Enable": [ + "Activer" + ], + "Encrypt the system": [ + "Chiffrer le système" + ], + "Encrypted Device": [ + "Appareil chiffré" + ], + "Encryption": [ + "Chiffrage" + ], + "Encryption Password": [ + "Mot de passe de chiffrement" + ], + "Exact size": [ + "Taille exacte" + ], + "Exact size for the file system.": [ + "Taille exacte du système de fichiers." + ], + "File system type": [ + "Type de système de fichiers" + ], + "File systems created as new partitions at %s": [ + "Systèmes de fichiers créés en tant que nouvelles partitions à %s" + ], + "File systems created at a new LVM volume group": [ + "Systèmes de fichiers créés dans un nouveau groupe de volumes LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Systèmes de fichiers créés dans un nouveau groupe de volumes LVM sur %s" + ], + "Filter by description or keymap code": [ + "Filtrer par description ou par mappage de clavier" + ], + "Filter by language, territory or locale code": [ + "Filtrer par langue, territoire ou code local" + ], + "Filter by max channel": [ + "Filtrer par canal maximal" + ], + "Filter by min channel": [ + "Filtrer par canal minimal" + ], + "Filter by pattern title or description": [ + "" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrer par territoire, code de fuseau horaire ou décalage UTC" + ], + "Final layout": [ + "" + ], + "Finish": [ + "Terminer" + ], + "Finished": [ + "Terminé" + ], + "Fixed": [ + "Fixe" + ], + "Forget": [ + "Oublier" + ], + "Forget connection %s": [ + "Oublier la connexion %s" + ], + "Format": [ + "Format" + ], + "Formatted": [ + "Formaté" + ], + "Formatting DASD devices": [ + "Formatage des périphériques DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Le chiffrement intégral du disque (FDE) permet de protéger les informations stockées sur l'appareil, y compris les données, les programmes et les fichiers système." + ], + "Full name": [ + "Nom complet" + ], + "Gateway": [ + "Passerelle" + ], + "Gateway can be defined only in 'Manual' mode": [ + "La passerelle ne peut être définie qu'en mode 'manuel'" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Masquer l'action du sous-volume %d", + "Masquer les actions du sous-volume %d" + ], + "Hide details": [ + "Masquer les détails" + ], + "IP Address": [ + "Adresse IP" + ], + "IP address": [ + "Adresse IP" + ], + "IP addresses": [ + "Adresses IP" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Si un périphérique local a été utilisé pour exécuter ce programme d'installation, retirez-le avant le prochain démarrage." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Si vous continuez, les partitions de votre disque dur seront modifiées selon les paramètres d'installation fournis." + ], + "In progress": [ + "En cours" + ], + "Incorrect IP address": [ + "Adresse IP incorrecte" + ], + "Incorrect password": [ + "Mot de passe incorrect" + ], + "Incorrect port": [ + "Port incorrect" + ], + "Incorrect user name": [ + "Nom d'utilisateur incorrect" + ], + "Initiator": [ + "Initiateur" + ], + "Initiator name": [ + "Nom de l'initiateur" + ], + "Install": [ + "Installer" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Installation dans un nouveau groupe de volumes LVM (Gestionnaire de Volumes Logiques) en supprimant tout le contenu des périphériques sous-jacents" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Installer un nouveau groupe de volumes LVM (Logical Volume Manager) sur %s en supprimant tout son contenu" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Installation dans un nouveau groupe de volumes LVM (Logical Volume Manager) sur %s en réduisant les partitions existantes si nécessaire" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Installer un nouveau groupe de volumes LVM (Logical Volume Manager) sur %s en utilisant une stratégie personnalisée pour trouver l'espace nécessaire" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Installer un nouveau groupe de volumes LVM (Logical Volume Manager) sur %s sans modifier les partitions existantes" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Installation dans un nouveau groupe de volumes LVM (Logical Volume Manager) en réduisant les partitions existantes sur les appareils sous-jacents si nécessaire" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Installation dans un nouveau groupe de volumes LVM (Gestionnaire de volumes logiques) à l'aide d'une stratégie personnalisée pour trouver l'espace nécessaire sur les périphériques sous-jacents" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Installation dans un nouveau groupe de volumes LVM (Gestionnaire de Volumes Logiques) sans modifier les partitions des périphériques sous-jacents" + ], + "Install using device %s and deleting all its content": [ + "Installer en utilisant le périphérique %s et en supprimant tout son contenu" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Installer en utilisant le périphérique %s en réduisant les partitions existantes si nécessaire" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Installer en utilisant le périphérique %s avec une stratégie personnalisée pour trouver l'espace nécessaire" + ], + "Install using device %s without modifying existing partitions": [ + "Installer en utilisant le périphérique %s sans modifier les partitions existantes" + ], + "Installation device": [ + "Périphérique d'installation" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "" + ], + "Installation will configure partitions for booting at %s.": [ + "L'installation configurera les partitions pour amorçer à partir de %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "L'installation configurera les partitions pour l'amorçage sur le disque d'installation." + ], + "Installation will not configure partitions for booting.": [ + "L'installation ne configure pas les partitions de démarrage." + ], + "Installer options": [ + "Options de l'installateur" + ], + "Interface": [ + "Interface" + ], + "Keyboard": [ + "Clavier" + ], + "Keyboard layout": [ + "Disposition du clavier" + ], + "Keyboard selection": [ + "Choix du clavier" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Langue" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Limites de la taille du système de fichiers. La taille définitive sera une valeur comprise entre le minimum et le maximum indiqués. Si aucun maximum n'est indiqué, le système de fichiers sera aussi grand que possible." + ], + "Loading data...": [ + "Chargement des données..." + ], + "Loading installation environment, please wait.": [ + "Chargement de l'environnement d'installation, veuillez patienter." + ], + "Locale selection": [ + "Sélection de la localité" + ], + "Localization": [ + "Localisation" + ], + "Location": [ + "Localisation" + ], + "Log in": [ + "Se connecter" + ], + "Log in as %s": [ + "Se connecter en tant que %s" + ], + "Logical volume at system LVM": [ + "Volume logique au niveau du système LVM" + ], + "Login": [ + "Se connecter" + ], + "Login %s": [ + "Connexion %s" + ], + "Login form": [ + "Formulaire de connexion" + ], + "Logout": [ + "Se déconnecter" + ], + "Main disk or LVM Volume Group for installation.": [ + "Disque principal ou groupe de volumes LVM pour l'installation." + ], + "Main navigation": [ + "" + ], + "Make sure you provide the correct values": [ + "Assurez-vous de fournir les bonnes valeurs" + ], + "Manage and format": [ + "Gérer et formater" + ], + "Manual": [ + "Manuel" + ], + "Maximum": [ + "Maximum" + ], + "Maximum desired size": [ + "Taille maximale désirée" + ], + "Maximum must be greater than minimum": [ + "Le maximum doit être supérieur au minimum" + ], + "Members: %s": [ + "Membres : %s" + ], + "Method": [ + "Méthode" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Minimum" + ], + "Minimum desired size": [ + "Taille minimale souhaitée" + ], + "Minimum size is required": [ + "Une taille minimale est requise" + ], + "Mode": [ + "Mode" + ], + "Modify": [ + "Modifier" + ], + "More info for file system types": [ + "Plus d'informations sur les différents systèmes de fichiers" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Monter %1$s à %2$s (%3$s)" + ], + "Mount point": [ + "Point de montage" + ], + "Multipath": [ + "Chemins multiples" + ], + "Name": [ + "Nom" + ], + "Network": [ + "Réseau" + ], + "No": [ + "Non" + ], + "No Wi-Fi supported": [ + "Pas de prise en charge Wi-Fi" + ], + "No additional software was selected.": [ + "Aucun logiciel supplémentaire n'a été sélectionné." + ], + "No connected yet": [ + "Pas encore connecté" + ], + "No content found": [ + "Aucun contenu n'a été trouvé" + ], + "No device selected yet": [ + "Aucun périphérique n'a encore été sélectionné" + ], + "No iSCSI targets found.": [ + "Aucune cible iSCSI n'a été trouvée." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Aucune partition ne sera automatiquement configurée pour le démarrage. À utiliser avec précaution." + ], + "No root authentication method defined yet.": [ + "Aucune méthode d'authentification Root n'a été définie." + ], + "No user defined yet.": [ + "Aucun utilisateur n'a été défini." + ], + "No wired connections found": [ + "Aucune connexion filaire trouvée" + ], + "No zFCP controllers found.": [ + "Aucun contrôleur zFCP n'a été trouvé." + ], + "No zFCP disks found.": [ + "Aucun disque zFCP n'a été trouvé." + ], + "None": [ + "Aucun" + ], + "None of the keymaps match the filter.": [ + "Aucune des combinaisons de touches ne correspond au filtre." + ], + "None of the locales match the filter.": [ + "Aucune des langues ne correspond au filtre." + ], + "None of the patterns match the filter.": [ + "Aucun des schémas ne correspond au filtre." + ], + "None of the time zones match the filter.": [ + "Aucun des fuseaux horaires ne correspond au filtre." + ], + "Not selected yet": [ + "Pas encore sélectionnée" + ], + "Not set": [ + "Non réglé" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "" + ], + "Offload card": [ + "Carte de décharge" + ], + "On boot": [ + "Lors du démarrage" + ], + "Only available if authentication by target is provided": [ + "Disponible uniquement si l'authentification par la cible est fournie" + ], + "Other": [ + "Autre" + ], + "Overview": [ + "" + ], + "Partition Info": [ + "Informations sur la partition" + ], + "Partition at %s": [ + "Partition sur %s" + ], + "Partition at installation disk": [ + "Partition sur le disque d'installation" + ], + "Partitions and file systems": [ + "Partitions et systèmes de fichiers" + ], + "Partitions to boot will be allocated at the following device.": [ + "Les partitions à amorcer seront attribuées au périphérique suivant." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Les partitions de démarrage seront allouées sur le disque d'installation (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Les partitions pour le démarrage seront allouées sur le disque d'installation." + ], + "Password": [ + "Mot de passe" + ], + "Password confirmation": [ + "Confirmation du mot de passe" + ], + "Password input": [ + "Saisie du mot de passe" + ], + "Password visibility button": [ + "Bouton de visibilité du mot de passe" + ], + "Passwords do not match": [ + "Les mots de passe ne correspondent pas" + ], + "Pending": [ + "En attente" + ], + "Perform an action": [ + "Effectuer une action" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Actions planifiées" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Veuillez noter qu'un utilisateur doit être défini avant l'installation du système pour pouvoir s'y connecter." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Veuillez annuler et vérifier les paramètres si vous n'êtes pas sûr." + ], + "Please, check whether it is running.": [ + "Veuillez vérifier s'il fonctionne." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Veuillez définir au moins une méthode d'authentification pour vous connecter au système en tant que root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Veuillez effectuer une découverte iSCSI afin de trouver les cibles iSCSI disponibles." + ], + "Please, provide its password to log in to the system.": [ + "Veuillez indiquer son mot de passe pour vous connecter au système." + ], + "Please, review provided settings and try again.": [ + "Veuillez vérifier les paramètres fournis et réessayer." + ], + "Please, try to activate a zFCP controller.": [ + "Veuillez essayer d'activer un contrôleur zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Veuillez essayer d'activer un disque zFCP." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portail" + ], + "Prefix length or netmask": [ + "Longueur du préfixe ou masque de sous-réseau" + ], + "Prepare more devices by configuring advanced": [ + "Préparez davantage de périphériques via une configuration avancée" + ], + "Presence of other volumes (%s)": [ + "Présence d'autres volumes (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Protection des informations stockées sur le périphérique, incluant les données, les programmes et les fichiers système." + ], + "Question": [ + "Question" + ], + "Range": [ + "Portée" + ], + "Read zFCP devices": [ + "Lire les périphériques zFCP" + ], + "Reboot": [ + "Redémarrer" + ], + "Reload": [ + "Recharger" + ], + "Remove": [ + "Supprimer" + ], + "Remove max channel filter": [ + "Supprimer le filtre du canal maximal" + ], + "Remove min channel filter": [ + "Supprimer le filtre canal minimal" + ], + "Reset location": [ + "Réinitialiser la localisation" + ], + "Reset to defaults": [ + "Rétablir les valeurs par défaut" + ], + "Reused %s": [ + "%s Réutilisé" + ], + "Root SSH public key": [ + "Clé publique SSH root" + ], + "Root authentication": [ + "Authentification root" + ], + "Root password": [ + "Mot de passe root" + ], + "SD Card": [ + "Carte SD" + ], + "SSH Key": [ + "Clé SSH" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Rechercher" + ], + "Security": [ + "Sécurité" + ], + "See more details": [ + "Plus de détails" + ], + "Select": [ + "Sélectionner" + ], + "Select a disk": [ + "Sélectionner un disque" + ], + "Select booting partition": [ + "Sélectionner la partition d'amorçage" + ], + "Select installation device": [ + "Sélectionner le périphérique d'installation" + ], + "Select what to do with each partition.": [ + "Sélectionnez ce qu'il faut faire pour chaque partition." + ], + "Separate LVM at %s": [ + "Séparer le LVM à %s" + ], + "Server IP": [ + "IP serveur" + ], + "Set": [ + "Réglé" + ], + "Set DIAG Off": [ + "Désactiver le diagnostic" + ], + "Set DIAG On": [ + "Activer le diagnostic" + ], + "Set a password": [ + "Définir un mot de passe" + ], + "Set a root password": [ + "Définir un mot de passe root" + ], + "Set root SSH public key": [ + "Définir la clé publique SSH de root" + ], + "Show %d subvolume action": [ + "Afficher l'action du sous-volume %d", + "Afficher les actions du sous-volume %d" + ], + "Show partitions and file-systems actions": [ + "Afficher les actions des partitions et des systèmes de fichiers" + ], + "Shrink existing partitions": [ + "Réduire les partitions existantes" + ], + "Shrinking partitions is allowed": [ + "La réduction des partitions est autorisée" + ], + "Shrinking partitions is not allowed": [ + "La réduction des partitions n'est pas autorisée" + ], + "Shrinking some partitions is allowed but not needed": [ + "La réduction de certaines partitions est autorisée mais pas nécessaire" + ], + "Size": [ + "Taille" + ], + "Size unit": [ + "Unité de mesure" + ], + "Software": [ + "Logiciel" + ], + "Software %s": [ + "Logiciel %s" + ], + "Something went wrong": [ + "Quelque chose n'a pas fonctionné" + ], + "Startup": [ + "Démarrage" + ], + "Status": [ + "Statut" + ], + "Storage": [ + "Stockage" + ], + "Storage proposal not possible": [ + "" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Structure du nouveau système, y compris toute partition supplémentaire nécessaire pour l'amorçage" + ], + "Swap at %1$s (%2$s)": [ + "Swap sur %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Partition swap (%s)" + ], + "Swap volume (%s)": [ + "Volume swap (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "Le scellement via TPM impose que le nouveau système soit démarré directement." + ], + "Table with mount points": [ + "Table avec points de montage" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Prenez le temps de vérifier votre configuration avant de lancer le processus d'installation." + ], + "Target Password": [ + "Mot de passe cible" + ], + "Targets": [ + "Cibles" + ], + "The amount of RAM in the system": [ + "La quantité de RAM dans le système" + ], + "The configuration of snapshots": [ + "La configuration des clichés" + ], + "The content may be deleted": [ + "Le contenu pourrait être supprimé" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Le système de fichiers actuel sur %s est sélectionné pour être monté sur %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Le système de fichiers actuel sur le périphérique sélectionné sera monté sans formater le périphérique." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Les données sont conservées, mais les partitions actuelles seront redimensionnées si nécessaire." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Les données sont conservées. Seul l'espace qui n'est attribué à aucune partition sera utilisé." + ], + "The device cannot be shrunk:": [ + "" + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Les systèmes de fichiers sont alloués par défaut sur le périphérique d'installation. Indiquez un emplacement personnalisé pour créer le système de fichiers sur un périphérique spécifique." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Les systèmes de fichiers seront alloués par défaut en tant que [volumes logiques d'un nouveau groupe de volumes LVM]. Les volumes physiques correspondants seront créés à la demande en tant que nouvelles partitions sur les périphériques sélectionnés." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Les systèmes de fichiers seront attribués par défaut en tant que [nouvelles partitions dans le périphérique sélectionné]." + ], + "The final size depends on %s.": [ + "La taille définitive dépend de %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "La dernière étape pour configurer le Trusted Platform Module (TPM) pour qu'il ouvre automatiquement les périphériques cryptés aura lieu lors du premier démarrage du nouveau système. Pour que cela fonctionne, la machine doit démarrer directement avec le nouveau chargeur d'amorçage." + ], + "The following software patterns are selected for installation:": [ + "Les schémas logiciels suivants sont sélectionnés pour l'installation :" + ], + "The installation on your machine is complete.": [ + "L'installation sur votre machine est terminée." + ], + "The installer requires [root] user privileges.": [ + "Le programme d'installation requiert les privilèges de l'utilisateur [root]." + ], + "The options for the file system type depends on the product and the mount point.": [ + "Les options pour le type de système de fichiers varient en fonction du produit et du point de montage." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Le mot de passe ne sera pas nécessaire pour démarrer et accéder aux données si le TPM peut vérifier l'intégrité du système. Le verrouillage du TPM requiert que le nouveau système soit démarré directement lors de sa première exécution." + ], + "The selected device will be formatted as %s file system.": [ + "Le périphérique sélectionné sera formaté en tant que système de fichiers %s." + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Le système ne prend pas en charge les connexions Wi-Fi, probablement en raison d'un matériel manquant ou désactivé." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Le système n'a pas encore été configuré pour se connecter à un réseau Wi-Fi." + ], + "The system will use %s as its default language.": [ + "Le système utilisera %s comme langue par défaut." + ], + "The systems will be configured as displayed below.": [ + "" + ], + "The zFCP disk was not activated.": [ + "Le disque zFCP n'a pas été activé." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Il s'agit des paramètres d'installation les plus significatifs. N'hésitez pas à consulter les sections du menu pour plus de détails." + ], + "These limits are affected by:": [ + "Ces limites sont affectées par:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "" + ], + "This space includes the base system and the selected software patterns, if any.": [ + "" + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Fuseau horaire" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Pour s'assurer que le nouveau système puisse démarrer, le programme d'installation peut avoir besoin de créer ou de configurer certaines partitions sur le disque approprié." + ], + "Transactional Btrfs": [ + "Btrfs transactionnel" + ], + "Transactional Btrfs root partition (%s)": [ + "Partition root Btrfs transactionnelle (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Volume root Btrfs transactionnel (%s)" + ], + "Transactional root file system": [ + "Système de fichiers root transactionnel" + ], + "Type": [ + "Type" + ], + "Unit for the maximum size": [ + "Unité de la taille maximale" + ], + "Unit for the minimum size": [ + "Unité de la taille minimale" + ], + "Up to %s can be recovered by shrinking the device.": [ + "" + ], + "Upload": [ + "Charger" + ], + "Upload a SSH Public Key": [ + "Charger une clé publique SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Téléverser, coller ou déposer une clé publique SSH" + ], + "Usage": [ + "Utilisation" + ], + "Use available space": [ + "Utiliser l'espace disponible" + ], + "Use suggested username": [ + "Utiliser le nom d'utilisateur suggéré" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Utiliser le TPM (Trusted Platform Module) pour décrypter automatiquement les données à chaque amorçage" + ], + "User full name": [ + "Nom complet de l'utilisateur" + ], + "User name": [ + "Nom d'utilisateur" + ], + "Username": [ + "Nom d'utilisateur" + ], + "Username suggestion dropdown": [ + "menu déroulant de noms d'utilisateur suggérés" + ], + "Users": [ + "Utilisateurs" + ], + "WPA & WPA2 Personal": [ + "WPA & WPA2 Personnel" + ], + "WPA Password": [ + "Mot de passe WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "En attente" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "Wired": [ + "Câblé" + ], + "Wires: %s": [ + "Chemins: %s" + ], + "Yes": [ + "Oui" + ], + "ZFCP": [ + "" + ], + "affecting": [ + "affectant" + ], + "at least %s": [ + "au moins %s" + ], + "auto": [ + "auto" + ], + "configured": [ + "configuré" + ], + "disabled": [ + "désactivé" + ], + "enabled": [ + "activée" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "the amount of RAM in the system": [ + "la quantité de RAM du système" + ], + "the configuration of snapshots": [ + "la configuration des clichés" + ], + "the presence of the file system for %s": [ + "la présence du système de fichiers pour %s" + ], + "user autologin": [ + "connexion automatique de l'utilisateur" + ], + "using TPM unlocking": [ + "utiliser le déverrouillage TPM" + ], + "without modifying any partition": [ + "sans modifier aucune partition" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "" + ], + "zFCP Disk activation form": [ + "" + ] +}; diff --git a/web/src/po/po.ja.js b/web/src/po/po.ja.js new file mode 100644 index 0000000000..20418d9ff2 --- /dev/null +++ b/web/src/po/po.ja.js @@ -0,0 +1,1476 @@ +export default { + "": { + "plural-forms": (n) => 0, + "language": "ja" + }, + " Timezone selection": [ + " タイムゾーンの選択" + ], + " and ": [ + " および " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%3$s (%4$s) に %1$s %2$s を配置" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s パーティション (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s ボリューム (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%2$s (%3$s) に %1$s ルートを配置" + ], + "%1$s root partition (%2$s)": [ + "%1$s ルートパーティション (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s ルートボリューム (%2$s)" + ], + "%d partition will be shrunk": [ + "%d 個のパーティションを縮小します" + ], + "%s disk": [ + "%s ディスク" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s は一括更新のできる不可変なシステムです。読み込み専用の btrfs ルートファイルシステムを利用して更新を適用します。" + ], + "%s logo": [ + "%s ロゴ" + ], + "%s with %d partitions": [ + "%s (%d 個のパーティション)" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "マウントポイントを指定する必要があります" + ], + "A new LVM Volume Group": [ + "新規 LVM ボリュームグループ" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "選択したディスク内に新しいボリュームグループを作成し、論理ボリュームとしてファイルシステムを作成します。" + ], + "A size value is required": [ + "サイズを指定する必要があります" + ], + "Accept": [ + "受け入れる" + ], + "Action": [ + "処理" + ], + "Actions": [ + "処理" + ], + "Actions for connection %s": [ + "接続 %s に対する処理" + ], + "Actions to find space": [ + "領域の検出処理" + ], + "Activate": [ + "有効化" + ], + "Activate disks": [ + "ディスクの有効化" + ], + "Activate new disk": [ + "新しいディスクの有効化" + ], + "Activate zFCP disk": [ + "zFCP ディスクの有効化" + ], + "Activated": [ + "有効" + ], + "Add %s file system": [ + "%s ファイルシステムの追加" + ], + "Add DNS": [ + "DNS の追加" + ], + "Add a SSH Public Key for root": [ + "root に対する SSH 公開鍵の追加" + ], + "Add an address": [ + "アドレスの追加" + ], + "Add another DNS": [ + "その他の DNS の追加" + ], + "Add another address": [ + "その他のアドレスの追加" + ], + "Add file system": [ + "ファイルシステムの追加" + ], + "Address": [ + "アドレス" + ], + "Addresses": [ + "アドレス" + ], + "Addresses data list": [ + "アドレスデータの一覧" + ], + "All fields are required": [ + "全ての項目に入力する必要があります" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "ディスク内の全てのパーティションを削除します。これにより、ディスク内に存在するデータは全て失われます。" + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "設定の変更やソフトウエアのアップグレードを行った際、必要に応じて以前の状態に戻して起動することができます。" + ], + "Already set": [ + "設定済み" + ], + "An existing disk": [ + "既存のディスク" + ], + "At least one address must be provided for selected mode": [ + "選択しているモードの場合、 1 つ以上のアドレスを設定しなければなりません" + ], + "At this point you can power off the machine.": [ + "マシンの電源を切って問題ありません。" + ], + "At this point you can reboot the machine to log in to the new system.": [ + "あとはマシンを再起動して新しいシステムにログインするだけです。" + ], + "Authentication by initiator": [ + "イニシエータによる認証" + ], + "Authentication by target": [ + "ターゲットによる認証" + ], + "Authentication failed, please try again": [ + "認証が失敗しました、やり直してください" + ], + "Auto": [ + "自動" + ], + "Auto LUNs Scan": [ + "自動 LUN 検出" + ], + "Auto-login": [ + "自動ログイン" + ], + "Automatic": [ + "自動" + ], + "Automatic (DHCP)": [ + "自動 (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "自動 LUN スキャンが [無効化] されています。 LUN はコントローラの有効化後、手作業で設定しなければなりません。" + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "自動 LUN スキャンが [有効化] されています。 NPIV モードで動作しているコントローラを有効化した場合、その LUN は全て自動的に設定されます。" + ], + "Automatically calculated size according to the selected product.": [ + "選択した製品に合わせてサイズを自動計算します。" + ], + "Available products": [ + "利用可能な製品" + ], + "Back": [ + "戻る" + ], + "Back to device selection": [ + "デバイス選択に戻る" + ], + "Before %s": [ + "変更前: %s" + ], + "Before installing, please check the following problems.": [ + "インストールを行う前に、下記の問題点をご確認ください。" + ], + "Before starting the installation, you need to address the following problems:": [ + "インストールを開始する前に、下記の問題に対応する必要があります:" + ], + "Boot partitions at %s": [ + "%s に起動用のパーティションを設定する" + ], + "Boot partitions at installation disk": [ + "インストール先のディスクに起動用のパーティションを設定する" + ], + "Btrfs root partition with snapshots (%s)": [ + "スナップショット有りの btrfs ルートパーティション (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "スナップショット有りの btrfs ルートボリューム (%s)" + ], + "Btrfs with snapshots": [ + "スナップショット有りの btrfs" + ], + "Cancel": [ + "キャンセル" + ], + "Cannot accommodate the required file systems for installation": [ + "インストールに必要なファイルシステムを調整できません" + ], + "Cannot be changed in remote installation": [ + "リモートインストールの場合は変更できません" + ], + "Cannot connect to Agama server": [ + "Agama サーバに接続できません" + ], + "Cannot format all selected devices": [ + "選択した全てのデバイスをフォーマットできません" + ], + "Change": [ + "変更" + ], + "Change boot options": [ + "起動オプションの変更" + ], + "Change location": [ + "場所の変更" + ], + "Change product": [ + "製品の変更" + ], + "Change selection": [ + "選択の変更" + ], + "Change the root password": [ + "root のパスワードを変更" + ], + "Channel ID": [ + "チャネル ID" + ], + "Check the planned action": [ + "%d 個の処理計画を確認する" + ], + "Choose a disk for placing the boot loader": [ + "ブートローダを配置するディスクを選択してください" + ], + "Clear": [ + "消去" + ], + "Close": [ + "閉じる" + ], + "Configuring the product, please wait ...": [ + "製品を設定しています。しばらくお待ちください..." + ], + "Confirm": [ + "確認" + ], + "Confirm Installation": [ + "インストールの確認" + ], + "Congratulations!": [ + "おめでとうございます!" + ], + "Connect": [ + "接続" + ], + "Connect to a Wi-Fi network": [ + "Wi-Fi ネットワークへの接続" + ], + "Connect to hidden network": [ + "ステルスネットワークへの接続" + ], + "Connect to iSCSI targets": [ + "iSCSI ターゲットへの接続" + ], + "Connected": [ + "接続済み" + ], + "Connected (%s)": [ + "接続済み (%s)" + ], + "Connected to %s": [ + "%s に接続済み" + ], + "Connecting": [ + "接続しています" + ], + "Connection actions": [ + "接続処理" + ], + "Continue": [ + "続行" + ], + "Controllers": [ + "コントローラ" + ], + "Could not authenticate against the server, please check it.": [ + "サーバに対して認証できませんでした。ご確認ください。" + ], + "Could not log in. Please, make sure that the password is correct.": [ + "ログインできませんでした。入力したパスワードが正しいかどうか、もう一度ご確認ください。" + ], + "Create a dedicated LVM volume group": [ + "専用の LVM ボリュームグループの作成" + ], + "Create a new partition": [ + "新しいパーティションの作成" + ], + "Create user": [ + "ユーザの作成" + ], + "Custom": [ + "独自設定" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "DASD デバイス選択テーブル" + ], + "DASDs table section": [ + "DASD 表選択" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "無効化" + ], + "Deactivated": [ + "無効" + ], + "Define a user now": [ + "今すぐユーザを設定する" + ], + "Delete": [ + "削除" + ], + "Delete current content": [ + "現在の内容を全て削除" + ], + "Destructive actions are allowed": [ + "破壊的な処理を許可します" + ], + "Destructive actions are not allowed": [ + "破壊的な処理は許可しません" + ], + "Details": [ + "詳細" + ], + "Device": [ + "デバイス" + ], + "Device selector for new LVM volume group": [ + "新規 LVM ボリュームグループのデバイス選択" + ], + "Device selector for target disk": [ + "宛先のディスクデバイス選択" + ], + "Devices: %s": [ + "デバイス: %s" + ], + "Discard": [ + "破棄" + ], + "Disconnect": [ + "切断" + ], + "Disconnected": [ + "切断済み" + ], + "Discover": [ + "検索" + ], + "Discover iSCSI Targets": [ + "iSCSI ターゲットの検出" + ], + "Discover iSCSI targets": [ + "iSCSI ターゲットの検索" + ], + "Disk": [ + "ディスク" + ], + "Disks": [ + "ディスク" + ], + "Do not configure": [ + "設定しない" + ], + "Do not configure partitions for booting": [ + "起動用のパーティションを設定しない" + ], + "Do you want to add it?": [ + "追加してよろしいですか?" + ], + "Do you want to edit it?": [ + "編集してよろしいですか?" + ], + "Download logs": [ + "ログのダウンロード" + ], + "Edit": [ + "編集" + ], + "Edit %s": [ + "%s の編集" + ], + "Edit %s file system": [ + "%s ファイルシステムの編集" + ], + "Edit connection %s": [ + "接続 %s の編集" + ], + "Edit file system": [ + "ファイルシステムの編集" + ], + "Edit iSCSI Initiator": [ + "iSCSI イニシエータの編集" + ], + "Edit password too": [ + "パスワードも編集する" + ], + "Edit the SSH Public Key for root": [ + "root に対する SSH 公開鍵の編集" + ], + "Edit user": [ + "ユーザの編集" + ], + "Enable": [ + "有効" + ], + "Encrypt the system": [ + "システムの暗号化" + ], + "Encrypted Device": [ + "暗号化されたデバイス" + ], + "Encryption": [ + "暗号化" + ], + "Encryption Password": [ + "暗号化パスワード" + ], + "Exact size": [ + "正確なサイズ" + ], + "Exact size for the file system.": [ + "ファイルシステムに対して正確なサイズを設定します。" + ], + "File system type": [ + "ファイルシステムの種類" + ], + "File systems created as new partitions at %s": [ + "%s に新規のパーティションを作成し、そこにファイルシステムを作成" + ], + "File systems created at a new LVM volume group": [ + "新規 LVM ボリュームグループにファイルシステムを作成" + ], + "File systems created at a new LVM volume group on %s": [ + "%s 内の新規 LVM ボリュームグループにファイルシステムを作成" + ], + "Filter by description or keymap code": [ + "説明またはキーマップコードでフィルタ" + ], + "Filter by language, territory or locale code": [ + "言語/地域/ロケールコードでフィルタ" + ], + "Filter by max channel": [ + "最大チャネルでフィルタ" + ], + "Filter by min channel": [ + "最小チャネルでフィルタ" + ], + "Filter by pattern title or description": [ + "パターンタイトルまたは説明でフィルタ" + ], + "Filter by territory, time zone code or UTC offset": [ + "地域/タイムゾーンコード/UTC オフセット値でフィルタ" + ], + "Final layout": [ + "最終形態" + ], + "Finish": [ + "完了" + ], + "Finished": [ + "完了" + ], + "First user": [ + "最初のユーザ" + ], + "Fixed": [ + "固定値" + ], + "Forget": [ + "削除" + ], + "Forget connection %s": [ + "接続 %s の削除" + ], + "Format": [ + "フォーマット" + ], + "Format selected devices?": [ + "選択したデバイスをフォーマットしますか?" + ], + "Format the device": [ + "デバイスのフォーマット" + ], + "Formatted": [ + "フォーマット済み" + ], + "Formatting DASD devices": [ + "DASD デバイスをフォーマットしています" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "完全ディスク暗号化 (Full Disk Encryption; FDE) を使用することで、データやプログラム、システムファイルを含むデバイス内の情報保護を行うことができます。" + ], + "Full name": [ + "フルネーム" + ], + "Gateway": [ + "ゲートウエイ" + ], + "Gateway can be defined only in 'Manual' mode": [ + "'手動' モードの場合にのみゲートウエイを設定できます" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "%d 個のサブボリューム処理を隠す" + ], + "Hide details": [ + "詳細を隠す" + ], + "IP Address": [ + "IP アドレス" + ], + "IP address": [ + "IP アドレス" + ], + "IP addresses": [ + "IP アドレス" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "このインストーラの起動に際してローカルメディアを使用している場合は、次回の再起動までの間にメディアを取り出しておいてください。" + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "続行すると、お使いのコンピュータのハードディスクにあるパーティションは、ここまでのダイアログで設定したとおりに変更されます。" + ], + "In progress": [ + "処理中" + ], + "Incorrect IP address": [ + "IP アドレスが正しくありません" + ], + "Incorrect password": [ + "パスワードが正しくありません" + ], + "Incorrect port": [ + "ポートが正しくありません" + ], + "Incorrect user name": [ + "ユーザ名が正しくありません" + ], + "Initiator": [ + "イニシエータ" + ], + "Initiator name": [ + "イニシエータ名" + ], + "Install": [ + "インストール" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "既存のデバイス内の内容を全て削除し、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "%s 内の内容を全て削除し、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "必要に応じて %s 内の既存パーティションを縮小し、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "%s 内での必要な領域検出に際して独自の方式を利用し、新しく論理ボリュームマネージャのボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "%s 内の既存パーティションを変更せず、新しく論理ボリュームマネージャのボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "必要に応じて既存のパーティションを縮小し、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "必要な領域検出に際して独自の方式を利用し、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "既存のパーティションを変更せず、新しく論理ボリュームマネージャ (LVM) のボリュームグループを作成してインストールします" + ], + "Install new system on": [ + "新しいシステムのインストール先" + ], + "Install using device %s and deleting all its content": [ + "デバイス %s の内容を全て削除してインストールします" + ], + "Install using device %s shrinking existing partitions as needed": [ + "デバイス %s の既存パーティションを必要に応じて縮小してインストールします" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "必要な領域検出に際して独自の方式を利用し、デバイス %s にインストールします" + ], + "Install using device %s without modifying existing partitions": [ + "デバイス %s の既存パーティションを変更せずにインストールします" + ], + "Installation blocking issues": [ + "インストールを阻害する問題点" + ], + "Installation device": [ + "インストール先のデバイス" + ], + "Installation issues": [ + "インストールの問題点" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "問題があるためインストールできません。概要ページで問題点をご確認ください。" + ], + "Installation will configure partitions for booting at %s.": [ + "インストール作業で %s に起動用のパーティションを設定します。" + ], + "Installation will configure partitions for booting at the installation disk.": [ + "インストール作業でインストール先のディスクに起動用のパーティションを設定します。" + ], + "Installation will not configure partitions for booting.": [ + "インストール作業では起動用のパーティションを設定しません。" + ], + "Installation will take %s.": [ + "インストールを行うには %s が必要です。" + ], + "Installer Options": [ + "インストーラのオプション" + ], + "Installer options": [ + "インストーラのオプション" + ], + "Installing the system, please wait...": [ + "システムをインストールしています。しばらくお待ちください..." + ], + "Interface": [ + "インターフェイス" + ], + "Ip prefix or netmask": [ + "IP プレフィクスもしくはネットマスク" + ], + "Keyboard": [ + "キーボード" + ], + "Keyboard layout": [ + "キーボードレイアウト" + ], + "Keyboard selection": [ + "キーボードの選択" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "言語" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "ファイルシステムに対するサイズ制限を範囲指定します。最終的なサイズは最小値と最大値の間になります。最大値を指定しない場合、ファイルシステムはできる限り大きくなるように設定されます。" + ], + "Loading data...": [ + "データを読み込んでいます..." + ], + "Loading installation environment, please wait.": [ + "インストール環境を読み込んでいます。しばらくお待ちください。" + ], + "Locale selection": [ + "ロケールの選択" + ], + "Localization": [ + "ローカライゼーション" + ], + "Location": [ + "場所" + ], + "Location for %s file system": [ + "%s ファイルシステムの場所" + ], + "Log in": [ + "ログイン" + ], + "Log in as %s": [ + "%s としてログイン" + ], + "Logical volume at system LVM": [ + "システム LVM 内の論理ボリューム" + ], + "Login": [ + "ログイン" + ], + "Login %s": [ + "%s にログイン" + ], + "Login form": [ + "ログインフォーム" + ], + "Logout": [ + "ログアウト" + ], + "Main disk or LVM Volume Group for installation.": [ + "インストール先のメインディスクもしくは LVM ボリュームグループを選択してください。" + ], + "Main navigation": [ + "メインナビゲーション" + ], + "Make sure you provide the correct values": [ + "正しい値を設定しているかどうかご確認ください" + ], + "Manage and format": [ + "管理とフォーマット" + ], + "Manual": [ + "手動" + ], + "Maximum": [ + "最大" + ], + "Maximum desired size": [ + "最大要求サイズ" + ], + "Maximum must be greater than minimum": [ + "最大サイズは最小サイズより大きくなければなりません" + ], + "Members: %s": [ + "メンバー: %s" + ], + "Method": [ + "方式" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "最小" + ], + "Minimum desired size": [ + "最小必須サイズ" + ], + "Minimum size is required": [ + "最小サイズを指定する必要があります" + ], + "Mode": [ + "モード" + ], + "Modify": [ + "修正" + ], + "More info for file system types": [ + "ファイルシステムの種類に関する詳細" + ], + "Mount %1$s at %2$s (%3$s)": [ + "%1$s を %2$s にマウント (%3$s)" + ], + "Mount Point": [ + "マウントポイント" + ], + "Mount point": [ + "マウントポイント" + ], + "Mount the file system": [ + "ファイルシステムのマウント" + ], + "Multipath": [ + "マルチパス" + ], + "Name": [ + "名前" + ], + "Network": [ + "ネットワーク" + ], + "New": [ + "新規" + ], + "No": [ + "いいえ" + ], + "No Wi-Fi supported": [ + "Wi-Fi サポートがありません" + ], + "No additional software was selected.": [ + "追加のソフトウエアは何も選択していません。" + ], + "No connected yet": [ + "まだ接続していません" + ], + "No content found": [ + "内容が見つかりませんでした" + ], + "No device selected yet": [ + "まだ何もデバイスを選択していません" + ], + "No iSCSI targets found.": [ + "iSCSI ターゲットが見つかりませんでした。" + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "起動用のパーティションを自動設定しません。注意してお使いください。" + ], + "No root authentication method defined yet.": [ + "まだ root 認証方式を設定していません。" + ], + "No user defined yet.": [ + "ユーザを設定していません。" + ], + "No visible Wi-Fi networks found": [ + "検出された Wi-Fi ネットワークはありません" + ], + "No wired connections found": [ + "有線接続が見つかりませんでした" + ], + "No zFCP controllers found.": [ + "zFCP コントローラが見つかりませんでした。" + ], + "No zFCP disks found.": [ + "zFCP ディスクが見つかりませんでした。" + ], + "None": [ + "無し" + ], + "None of the keymaps match the filter.": [ + "フィルタに該当するキーマップがありません。" + ], + "None of the locales match the filter.": [ + "フィルタに該当するロケールがありません。" + ], + "None of the patterns match the filter.": [ + "フィルタに該当するパターンがありません。" + ], + "None of the time zones match the filter.": [ + "フィルタに該当するタイムゾーンがありません。" + ], + "Not selected yet": [ + "まだ何も選択していません" + ], + "Not set": [ + "未設定" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "フォーマットを実施する前にオフラインのデバイスを有効化する必要があります。下記に示されたデバイスの選択を外すか、有効化してからやり直してください" + ], + "Offload card": [ + "オフロードカード" + ], + "On boot": [ + "システム起動時" + ], + "Only available if authentication by target is provided": [ + "ターゲットによる認証を指定した場合にのみ利用できます" + ], + "Options toggle": [ + "オプションの切り替え" + ], + "Other": [ + "その他" + ], + "Overview": [ + "概要" + ], + "Partition Info": [ + "パーティション情報" + ], + "Partition at %s": [ + "%s に存在するパーティション" + ], + "Partition at installation disk": [ + "インストール先のディスクのパーティション" + ], + "Partitions and file systems": [ + "パーティションとファイルシステム" + ], + "Partitions to boot will be allocated at the following device.": [ + "下記のデバイス内に起動用パーティションを割り当てます。" + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "インストール先のディスク (%s) 内に起動用のパーティションを割り当てます。" + ], + "Partitions to boot will be allocated at the installation disk.": [ + "インストール先のディスク内に起動用のパーティションを割り当てます。" + ], + "Password": [ + "パスワード" + ], + "Password Required": [ + "パスワードが必要です" + ], + "Password confirmation": [ + "パスワードの確認" + ], + "Password input": [ + "パスワード入力" + ], + "Password visibility button": [ + "パスワード表示ボタン" + ], + "Passwords do not match": [ + "パスワードが合致しません" + ], + "Pending": [ + "保留中" + ], + "Perform an action": [ + "処理を実行" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "処理の計画" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "なお、システムにログインできるようにするには、インストールの前にユーザを設定しておかなければならないことに注意してください。" + ], + "Please, cancel and check the settings if you are unsure.": [ + "何か不安な点があれば、キャンセルして設定を確認しておくことをお勧めします。" + ], + "Please, check whether it is running.": [ + "問題なく動作しているかどうかご確認ください。" + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "少なくとも 1 つ以上の root ログイン時の認証方式を設定してください。" + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "利用可能な iSCSI ターゲットを検出するため、 iSCSI 検索を実施してください。" + ], + "Please, provide its password to log in to the system.": [ + "システムにログインするためのパスワードを入力してください。" + ], + "Please, review provided settings and try again.": [ + "設定をご確認のうえやり直してください。" + ], + "Please, try to activate a zFCP controller.": [ + "zFCP コントローラの有効化をお試しください。" + ], + "Please, try to activate a zFCP disk.": [ + "zFCP ディスクの有効化をお試しください。" + ], + "Port": [ + "ポート" + ], + "Portal": [ + "ポータル" + ], + "Prefix length or netmask": [ + "プレフィクス長またはサブネットマスク" + ], + "Prepare more devices by configuring advanced": [ + "高度な設定でさらにデバイスを検出" + ], + "Presence of other volumes (%s)": [ + "その他のボリューム (%s) の存在" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "データやプログラム、システムファイルを含むデバイス内の情報を保護する仕組みです。" + ], + "Question": [ + "質問" + ], + "Range": [ + "範囲" + ], + "Read zFCP devices": [ + "zFCP デバイスの読み込み" + ], + "Reboot": [ + "再起動" + ], + "Reload": [ + "再読み込み" + ], + "Remove": [ + "削除" + ], + "Remove max channel filter": [ + "最大チャネルのフィルタを削除" + ], + "Remove min channel filter": [ + "最小チャネルのフィルタを削除" + ], + "Reset location": [ + "場所のリセット" + ], + "Reset to defaults": [ + "既定値に戻す" + ], + "Reused %s": [ + "%s の再利用" + ], + "Root SSH public key": [ + "root の SSH 公開鍵" + ], + "Root authentication": [ + "root の認証" + ], + "Root password": [ + "root のパスワード" + ], + "SD Card": [ + "SD カード" + ], + "SSH Key": [ + "SSH 鍵" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "検索" + ], + "Security": [ + "セキュリティ" + ], + "See more details": [ + "さらに詳細を表示する" + ], + "Select": [ + "選択" + ], + "Select a disk": [ + "ディスクの選択" + ], + "Select a location": [ + "場所の選択" + ], + "Select a product": [ + "製品の選択" + ], + "Select booting partition": [ + "起動パーティションの選択" + ], + "Select how to allocate the file system": [ + "ファイルシステムの割り当て方法を選択してください" + ], + "Select in which device to allocate the file system": [ + "ファイルシステムの割り当てを実施するデバイスを選択してください" + ], + "Select installation device": [ + "インストール先デバイスの選択" + ], + "Select what to do with each partition.": [ + "パーティションの設定作業を独自に実施します。" + ], + "Selected patterns": [ + "パターンの選択" + ], + "Separate LVM at %s": [ + "%s に存在する個別の LVM" + ], + "Server IP": [ + "サーバ IP" + ], + "Set": [ + "設定" + ], + "Set DIAG Off": [ + "診断を無効化" + ], + "Set DIAG On": [ + "診断を有効化" + ], + "Set a password": [ + "パスワードの設定" + ], + "Set a root password": [ + "root のパスワードを設定" + ], + "Set root SSH public key": [ + "root の SSH 公開鍵の設定" + ], + "Show %d subvolume action": [ + "%d 個のサブボリューム処理を表示" + ], + "Show information about %s": [ + "%s に関する情報を表示" + ], + "Show partitions and file-systems actions": [ + "パーティションとファイルシステムの処理を表示" + ], + "Shrink existing partitions": [ + "既存のパーティションの縮小" + ], + "Shrinking partitions is allowed": [ + "パーティションの縮小を許可します" + ], + "Shrinking partitions is not allowed": [ + "パーティションの縮小を許可しません" + ], + "Shrinking some partitions is allowed but not needed": [ + "パーティションの縮小を許可していますが不要です" + ], + "Size": [ + "サイズ" + ], + "Size unit": [ + "サイズの単位" + ], + "Software": [ + "ソフトウエア" + ], + "Software %s": [ + "ソフトウエア %s" + ], + "Software selection": [ + "ソフトウエア選択" + ], + "Something went wrong": [ + "何らかの問題が発生しました" + ], + "Space policy": [ + "領域ポリシー" + ], + "Startup": [ + "起動" + ], + "Status": [ + "状態" + ], + "Storage": [ + "ストレージ" + ], + "Storage proposal not possible": [ + "ストレージの提案が実施できません" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "起動時に必要な追加パーティションを含む、新しいシステムの構造設定です" + ], + "Swap at %1$s (%2$s)": [ + "%1$s にスワップを配置 (%2$s)" + ], + "Swap partition (%s)": [ + "スワップパーティション (%s)" + ], + "Swap volume (%s)": [ + "スワップボリューム (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "TPM シーリングを使用するには、新しいシステムを直接起動する必要があります。" + ], + "Table with mount points": [ + "マウントポイントの一覧" + ], + "Take your time to check your configuration before starting the installation process.": [ + "インストール処理を開始する前に、設定内容をよくご確認ください。" + ], + "Target Password": [ + "ターゲットのパスワード" + ], + "Targets": [ + "ターゲット" + ], + "The amount of RAM in the system": [ + "システムに搭載された RAM の量" + ], + "The configuration of snapshots": [ + "スナップショットの設定" + ], + "The content may be deleted": [ + "内容が削除されるかもしれません" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "%s 内にある現在のファイルシステムを %s にマウントするよう選択しています。" + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "選択したデバイス内にあるファイルシステムを、フォーマットせずにそのままマウントします。" + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "既存のデータは保持しますが、十分な領域を確保するために既存のパーティションのサイズ変更を行います。" + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "既存のデータを全て保持します。パーティションに割り当てられていない空き領域のみを使用します。" + ], + "The device cannot be shrunk:": [ + "デバイスは縮小できません:" + ], + "The encryption password did not work": [ + "暗号化パスワードが正しくありません" + ], + "The file system is allocated at the device %s.": [ + "ファイルシステムはデバイス %s 内から割り当てます。" + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "ファイルシステムは選択したディスク内の新規パーティションとして割り当てます。" + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "既定では、インストール先のデバイス内にファイルシステムを割り当てます。ここでは、特定のデバイス内にファイルシステムを作成する際の場所を設定します。" + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "既定では、ファイルシステムは [新規 LVM ボリュームグループの論理ボリューム] として割り当てます。対応する物理ボリュームは、必要に応じて選択したデバイス内の新規パーティションとして作成します。" + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "既定では、ファイルシステムは [選択したデバイス内の新規パーティション] として割り当てます。" + ], + "The final size depends on %s.": [ + "最終的なサイズは %s に依存します。" + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Trusted Platform Module (TPM) の設定の最後では、新しいシステムの初回起動時に暗号化されたデバイスを自動で解除するよう設定します。これを動作させるためには、マシンが新しいブートローダを直接起動するように設定しておく必要があります。" + ], + "The following software patterns are selected for installation:": [ + "下記のソフトウエアパターンをインストールするよう選択しています:" + ], + "The installation on your machine is complete.": [ + "お使いのマシンへのインストールが完了しました。" + ], + "The installation will take": [ + "インストールで占有する容量は" + ], + "The installation will take %s including:": [ + "インストールを行うには、下記を含めた %s が必要です:" + ], + "The installer requires [root] user privileges.": [ + "インストーラを使用するには [root] 権限が必要です。" + ], + "The mount point is invalid": [ + "マウントポイントが正しくありません" + ], + "The options for the file system type depends on the product and the mount point.": [ + "ファイルシステムに対する選択肢は、製品とマウントポイントごとに異なります。" + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "TPM 側でシステムの一貫性検証が成功すると、起動とデータへのアクセス処理に際してパスワードが不要になります。 TPM シーリングを使用するには、新しいシステムの初回起動時に直接起動を行う必要があります。" + ], + "The selected device will be formatted as %s file system.": [ + "選択したデバイスを %s ファイルシステムでフォーマットします。" + ], + "The size of the file system cannot be edited": [ + "ファイルシステムのサイズは編集できません" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "このシステムは WiFi 接続には対応していません。無線ハードウエアが存在していないか、無効化されているものと思われます。" + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "このシステムでは、まだ WiFi ネットワークへの接続設定を実施していません。" + ], + "The system will use %s as its default language.": [ + "システムは %s を既定の言語として使用します。" + ], + "The systems will be configured as displayed below.": [ + "システムは下記に表示されているとおりに設定されます。" + ], + "The type and size of the file system cannot be edited.": [ + "ファイルシステムの種類とサイズは編集できません。" + ], + "The zFCP disk was not activated.": [ + "zFCP ディスクは有効化されませんでした。" + ], + "There is a predefined file system for %s.": [ + "%s に対して事前設定されたファイルシステムが既に存在しています。" + ], + "There is already a file system for %s.": [ + "%s に対するファイルシステムが既に存在しています。" + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "インストールにあたっての主要な項目のみを表示しています。さらに詳しい設定を確認したい場合は、それぞれのセクションを開いてください。" + ], + "These limits are affected by:": [ + "これらの制限は下記による影響を受けます:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "この処理により、下記に示したデバイス内のデータが全て消去されます。続行して問題ないかどうか、ご確認ください。" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "この製品はインストール時のパターン選択を許可していません。なお、インストール完了後に必要なソフトウエアを追加できます。" + ], + "This space includes the base system and the selected software patterns, if any.": [ + "この容量にはシステムの基本部分のほか、選択したソフトウエアパターンが含まれます。" + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "タイムゾーン" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "システムを起動できるようにするため、インストーラはディスク内にいくつかの追加パーティションを作成もしくは設定する必要があるかもしれません。" + ], + "Transactional Btrfs": [ + "トランザクション型 btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "トランザクション型の btrfs ルートパーティション (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "トランザクション型の btrfs ルートボリューム (%s)" + ], + "Transactional root file system": [ + "トランザクション型のルートファイルシステム" + ], + "Type": [ + "種類" + ], + "Unit for the maximum size": [ + "最大サイズの単位" + ], + "Unit for the minimum size": [ + "最小サイズの単位" + ], + "Unselect": [ + "未選択" + ], + "Unused space": [ + "未使用の領域" + ], + "Up to %s can be recovered by shrinking the device.": [ + "デバイスの縮小により、最大で %s が確保できます。" + ], + "Upload": [ + "アップロード" + ], + "Upload a SSH Public Key": [ + "SSH 公開鍵のアップロード" + ], + "Upload, paste, or drop an SSH public key": [ + "SSH 公開鍵のアップロード/貼り付け/ドロップ" + ], + "Usage": [ + "用途" + ], + "Use Btrfs snapshots for the root file system": [ + "ルートファイルシステムで btrfs スナップショットを使用する" + ], + "Use available space": [ + "利用可能な領域を使用する" + ], + "Use suggested username": [ + "提案されたユーザ名を使用する" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "毎回の起動時に Trusted Platform Module (TPM) を利用して自動的に暗号化解除します" + ], + "User full name": [ + "ユーザのフルネーム" + ], + "User name": [ + "ユーザ名" + ], + "Username": [ + "ユーザ名" + ], + "Username suggestion dropdown": [ + "ユーザ名の提案ドロップダウン" + ], + "Users": [ + "ユーザ" + ], + "Visible Wi-Fi networks": [ + "検出された Wi-Fi ネットワーク" + ], + "WPA & WPA2 Personal": [ + "WPA および WPA2 Personal" + ], + "WPA Password": [ + "WPA パスワード" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "お待ちください" + ], + "Waiting for actions information...": [ + "処理に関する情報を待機しています..." + ], + "Waiting for information about storage configuration": [ + "ストレージ設定に関する情報を待機しています" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "WiFi connection form": [ + "WiFi 接続フォーム" + ], + "Wired": [ + "有線" + ], + "Wires: %s": [ + "接続: %s" + ], + "Yes": [ + "はい" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "下記に影響があります" + ], + "at least %s": [ + "少なくとも %s" + ], + "auto": [ + "自動" + ], + "auto selected": [ + "自動選択済み" + ], + "configured": [ + "設定済み" + ], + "deleting current content": [ + "現在の内容を削除" + ], + "disabled": [ + "無効" + ], + "enabled": [ + "有効" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "パーティションの縮小" + ], + "storage techs": [ + "ストレージ技術" + ], + "the amount of RAM in the system": [ + "システムに搭載された RAM の量" + ], + "the configuration of snapshots": [ + "スナップショットの設定" + ], + "the presence of the file system for %s": [ + "%s に対するファイルシステムの存在" + ], + "user autologin": [ + "ユーザの自動ログイン" + ], + "using TPM unlocking": [ + "TPM 解錠を使用" + ], + "with custom actions": [ + "独自の処理" + ], + "without modifying any partition": [ + "パーティションの変更を行いません" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "zFCP ディスク有効化" + ], + "zFCP Disk activation form": [ + "zFCP ディスク有効化フォーム" + ] +}; diff --git a/web/src/po/po.nb_NO.js b/web/src/po/po.nb_NO.js new file mode 100644 index 0000000000..c3b787742d --- /dev/null +++ b/web/src/po/po.nb_NO.js @@ -0,0 +1,1411 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "nb_NO" + }, + " Timezone selection": [ + " Valg av tidssone" + ], + " and ": [ + " og " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s på %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s partisjon (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s volum (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s root på %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s root partisjon (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s root volum (%2$s)" + ], + "%d partition will be shrunk": [ + "%d partisjonen vil bli krympet", + "%d partisjoner vil bli krympet" + ], + "%s disk": [ + "%s disk" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s er et uforanderlig system med atomiske oppdateringer. Den bruker et skrivebeskyttet Btrfs filsystem oppdatert via øyeblikksbilder." + ], + "%s logo": [ + "" + ], + "%s with %d partitions": [ + "%s med %d partisjoner" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Et monteringspunkt er nødvendig" + ], + "A new LVM Volume Group": [ + "En ny LVM volumgruppe" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "En ny volumgruppe vil bli allokert på den valgte disken og filsystemet vil bli opprettet som et logisk volum." + ], + "A size value is required": [ + "En størrelsesverdi er nødvendig" + ], + "Accept": [ + "Aksepter" + ], + "Action": [ + "Handling" + ], + "Actions": [ + "Handlinger" + ], + "Actions for connection %s": [ + "Handlinger for tilkobling %s" + ], + "Actions to find space": [ + "Handling for å finne plass" + ], + "Activate": [ + "Aktiver" + ], + "Activate disks": [ + "Aktivere disker" + ], + "Activate new disk": [ + "Aktiver ny disk" + ], + "Activate zFCP disk": [ + "Aktiver zFCP disk" + ], + "Activated": [ + "Aktivert" + ], + "Add %s file system": [ + "Legg til %s filsystemet" + ], + "Add DNS": [ + "Legg til DNS" + ], + "Add a SSH Public Key for root": [ + "Legg til en offentlig SSH Nøkkel for root" + ], + "Add an address": [ + "Legg til en addresse" + ], + "Add another DNS": [ + "Legg til en annen DNS" + ], + "Add another address": [ + "Legg til en annen adresse" + ], + "Add file system": [ + "Legg til filsystem" + ], + "Address": [ + "Addresse" + ], + "Addresses": [ + "Addresser" + ], + "Addresses data list": [ + "Adresser dataliste" + ], + "All fields are required": [ + "Alle feltene er påkrevd" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Alle partisjoner vil bli fjernet og alle data på diskene vil gå tapt." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Gjør det mulig å starte opp til en tidligere versjon av systemet etter konfigurasjonsendringer eller programvareoppgraderinger." + ], + "Already set": [ + "Allerede satt" + ], + "An existing disk": [ + "En eksisterende disk" + ], + "At least one address must be provided for selected mode": [ + "Minst en adresse må oppgis for valgt modus" + ], + "At this point you can power off the machine.": [ + "På dette tidspunktet kan du slå av maskinen." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "På dette tidspunktet kan du starte om maskinen for å logge inn i det nye systemet." + ], + "Authentication by initiator": [ + "Autentisering av initiativtaker" + ], + "Authentication by target": [ + "Autentisering av målet" + ], + "Auto": [ + "Auto" + ], + "Auto LUNs Scan": [ + "Automatisk LUNs skanning" + ], + "Auto-login": [ + "Automatisk-innlogging" + ], + "Automatic": [ + "Automatisk" + ], + "Automatic (DHCP)": [ + "Automatisk (DHCP)" + ], + "Automatically calculated size according to the selected product.": [ + "Automatisk kalkulert størrelse i henhold til det valgte produktet." + ], + "Available products": [ + "Tilgjengelige produkter" + ], + "Back": [ + "Tilbake" + ], + "Before %s": [ + "Før %s" + ], + "Before installing, please check the following problems.": [ + "Før installasjon, vennligst sjekk følgende problemer." + ], + "Before starting the installation, you need to address the following problems:": [ + "Før du starter installasjonen, må du løse følgende problemer:" + ], + "Boot partitions at %s": [ + "Oppstartspartisjoner på %s" + ], + "Boot partitions at installation disk": [ + "Oppstartspartisjoner på installasjonsdisk" + ], + "Btrfs root partition with snapshots (%s)": [ + "Btrfs root partisjon med øyeblikksbilder (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Btrfs root volum med øyeblikksbilder (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs med øyeblikksbilder" + ], + "Cancel": [ + "Avbryt" + ], + "Cannot accommodate the required file systems for installation": [ + "Kan ikke håndtere de nødvendige filsystemene for installasjon" + ], + "Cannot be changed in remote installation": [ + "Kan ikke endres i fjerninstallasjonen" + ], + "Cannot connect to Agama server": [ + "Kan ikke koble til Agama server" + ], + "Cannot format all selected devices": [ + "" + ], + "Change": [ + "Endre" + ], + "Change boot options": [ + "Endre oppstartalternativer" + ], + "Change location": [ + "Endre plassering" + ], + "Change product": [ + "Endre produkt" + ], + "Change selection": [ + "Endre valg" + ], + "Change the root password": [ + "Endre root passordet" + ], + "Channel ID": [ + "Kanal ID" + ], + "Check the planned action": [ + "Sjekk den planlagte handlingen", + "Sjekk de %d planlagte handlingene" + ], + "Choose a disk for placing the boot loader": [ + "Velg en disk for å plassere oppstartslasteren" + ], + "Clear": [ + "Tøm" + ], + "Close": [ + "Lukk" + ], + "Configuring the product, please wait ...": [ + "Konfigurerer produktet, vennligst vent..." + ], + "Confirm": [ + "Bekreft" + ], + "Confirm Installation": [ + "Bekreft Installasjon" + ], + "Congratulations!": [ + "Gratulerer!" + ], + "Connect": [ + "Koble til" + ], + "Connect to a Wi-Fi network": [ + "Koble til et Wi-Fi nettverk" + ], + "Connect to hidden network": [ + "Koble til skjult nettverk" + ], + "Connect to iSCSI targets": [ + "Koble til iSCSI mål" + ], + "Connected": [ + "Tilkoblet" + ], + "Connected (%s)": [ + "Tilkoblet (%s)" + ], + "Connecting": [ + "Kobler til" + ], + "Continue": [ + "Fortsett" + ], + "Controllers": [ + "" + ], + "Could not authenticate against the server, please check it.": [ + "Kunne ikke autentisere mot serveren, vennligst sjekk det." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Kunne ikke logge på, Vennligst, sjekk at passordet er korrekt." + ], + "Create a dedicated LVM volume group": [ + "Opprett en dedikert LVM volumgruppe" + ], + "Create a new partition": [ + "Opprett en ny partisjon" + ], + "Create user": [ + "Opprett bruker" + ], + "Custom": [ + "Tilpasset" + ], + "DASD %s": [ + "DASD %s" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Deaktivere" + ], + "Deactivated": [ + "Deaktivert" + ], + "Define a user now": [ + "Definer en bruker nå" + ], + "Delete": [ + "Slett" + ], + "Delete current content": [ + "Slett gjeldende innhold" + ], + "Destructive actions are allowed": [ + "Destruktive handlinger er tillatt" + ], + "Destructive actions are not allowed": [ + "Destruktive handlinger er ikke tillatt" + ], + "Details": [ + "Detaljer" + ], + "Device": [ + "Enhet" + ], + "Device selector for new LVM volume group": [ + "Enhetsvelger for nye LVM volumgruppe" + ], + "Device selector for target disk": [ + "Enhetsvelger for måldisk" + ], + "Devices: %s": [ + "Enheter: %s" + ], + "Discard": [ + "Forkast" + ], + "Disconnect": [ + "Koble fra" + ], + "Disconnected": [ + "Koblet fra" + ], + "Discover": [ + "Oppdag" + ], + "Discover iSCSI Targets": [ + "Oppdag iSCSI mål" + ], + "Discover iSCSI targets": [ + "Oppdag iSCSI mål" + ], + "Disk": [ + "Disk" + ], + "Disks": [ + "Disker" + ], + "Do not configure": [ + "Ikke konfigurer" + ], + "Do not configure partitions for booting": [ + "Konfigurer ikke partisjoner for oppstart" + ], + "Do you want to add it?": [ + "Vil du legge til den?" + ], + "Do you want to edit it?": [ + "Vil du redigere den?" + ], + "Download logs": [ + "Last ned loggfiler" + ], + "Edit": [ + "Redigere" + ], + "Edit %s": [ + "Rediger %s" + ], + "Edit %s file system": [ + "Rediger %s filsystemet" + ], + "Edit connection %s": [ + "Rediger tilkobling %s" + ], + "Edit file system": [ + "Rediger filsystemet" + ], + "Edit iSCSI Initiator": [ + "Rediger iSCSI initiativtaker" + ], + "Edit password too": [ + "Rediger passord også" + ], + "Edit the SSH Public Key for root": [ + "Endre den offentlige SSH Nøkkelen for root" + ], + "Edit user": [ + "Rediger bruker" + ], + "Enable": [ + "Aktiver" + ], + "Encrypt the system": [ + "Krypter systemet" + ], + "Encrypted Device": [ + "Kryptert Enhet" + ], + "Encryption": [ + "Kryptering" + ], + "Encryption Password": [ + "Krypteringspassord" + ], + "Exact size": [ + "Nøyaktig størrelse" + ], + "Exact size for the file system.": [ + "Nøyaktig størrelse for filsystemet." + ], + "File system type": [ + "Filsystem type" + ], + "File systems created as new partitions at %s": [ + "Filsystemer opprettes som nye partisjoner på %s" + ], + "File systems created at a new LVM volume group": [ + "Filsystemer opprettet i en ny LVM volumgruppe" + ], + "File systems created at a new LVM volume group on %s": [ + "Filsystemer opprettet i en ny LVM volumgruppe på %s" + ], + "Filter by description or keymap code": [ + "Filtrer etter beskrivelse eller tastaturkode" + ], + "Filter by language, territory or locale code": [ + "Filtrer etter språk, territorium eller lokalkode" + ], + "Filter by max channel": [ + "Filtrer etter maksimal kanal" + ], + "Filter by min channel": [ + "Filtrer etter minimum kanal" + ], + "Filter by pattern title or description": [ + "Filtrer etter mønstertittel eller beskrivelse" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrer etter territorium, tidssonekode eller UTC forskyvning" + ], + "Final layout": [ + "Sluttoppsett" + ], + "Finish": [ + "Fullfør" + ], + "Finished": [ + "Fullført" + ], + "First user": [ + "Første bruker" + ], + "Fixed": [ + "Fikset" + ], + "Forget": [ + "Glem" + ], + "Forget connection %s": [ + "Glem tilkoblingen %s" + ], + "Format": [ + "Formater" + ], + "Format the device": [ + "Formater enheten" + ], + "Formatted": [ + "Formatert" + ], + "Formatting DASD devices": [ + "Formaterer DASD enheter" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Full Disk Kryptering (FDE) tillater å beskytte informasjonen på lagret enhet, inkludert data, programmer, og systemfiler." + ], + "Full name": [ + "Fullt navn" + ], + "Gateway": [ + "Gateway" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Gateway kan bare defineres i 'Manuelt' modus" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Skjul %d undervolum handling", + "Skjul %d undervolumers handlinger" + ], + "Hide details": [ + "Skjul detaljer" + ], + "IP Address": [ + "IP Addresse" + ], + "IP address": [ + "IP addresse" + ], + "IP addresses": [ + "IP addresser" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Hvis ett lokalt media ble brukt til å kjøre dette installajonsprogrammet, så fjern det før neste oppstart." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Hvis du fortsetter, så vil partisjonene på harddisken bli modifisert i tråd med de oppgitte installasjons innstillingene." + ], + "In progress": [ + "Pågår" + ], + "Incorrect IP address": [ + "Feil IP addresse" + ], + "Incorrect password": [ + "Feil passord" + ], + "Incorrect port": [ + "Feil port" + ], + "Incorrect user name": [ + "feil brukernavn" + ], + "Initiator": [ + "Initiativtaker" + ], + "Initiator name": [ + "Initiativtakers navn" + ], + "Install": [ + "Installere" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Installer i en ny Logisk Volum Behandler (LVM) volumgruppe og slett alt av innholdet til de underliggende enhetene" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Installer en ny Logisk Volum Behandler (LVM) volumgruppe på %s sletter alt innhold" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Installer en ny Logisk Volum Behandler (LVM) volumgruppe på %s og krymper de eksisterende partisjonene ved behov" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Installer en ny Logisk Volum Behandler (LVM) volumgruppe på %s ved bruk av en tilpasset strategi for å finne nødvendig plass" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Installer en ny Logisk Volum Behandler (LVM) volumgruppe på %s uten å modifisere eksisterende partisjoner" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Installer i en ny logisk volum behandler (LVM) volumgruppe som krymper eksisterende partisjoner ved de underliggende enhetenes behov" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Installer en ny Logisk Volum Behandler (LVM) volumgruppe ved å bruke en tilpasset strategi for å finne den nødvendige plassen på de underliggende enhetene" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Installer i en ny Logisk Volum Behandler (LVM) volumgruppe uten å modifisere partisjonene på de underliggende enhetene" + ], + "Install new system on": [ + "Installer nytt system på" + ], + "Install using device %s and deleting all its content": [ + "Installer med enheten %s og slett alt av dens innhold" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Installer med enheten %s ved å krympe eksisterende partisjoner ved behov" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Installer med enheten %s ved å bruke en tilpasset strategi for å finne nødvendig plass" + ], + "Install using device %s without modifying existing partitions": [ + "Installer med enheten %s uten å modifisere eksisterende partisjoner" + ], + "Installation device": [ + "Installasjons enhet" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "" + ], + "Installation will configure partitions for booting at %s.": [ + "Installasjonen vil konfigurere partisjoner for oppstart på %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Installasjonen vil konfigurere partisjoner for oppstart på installasjonsdisken." + ], + "Installation will not configure partitions for booting.": [ + "Installasjonen vil ikke konfigurere partisjoner for oppstart." + ], + "Installation will take %s.": [ + "Installasjonen vil ta %s." + ], + "Installer options": [ + "Installasjonsalternativer" + ], + "Interface": [ + "Grensesnitt" + ], + "Keyboard": [ + "Tastatur" + ], + "Keyboard layout": [ + "Tastaturoppsett" + ], + "Keyboard selection": [ + "Valg av tastatur" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Språk" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Grense for filsystemstørrelsen. Den endelige størrelsen vil være en verdi mellom avgitt minimum og maksimum. Hvis det ikke er gitt noe maksimum, så vil filsystemet være så stor som mulig." + ], + "Loading data...": [ + "Laster data..." + ], + "Loading installation environment, please wait.": [ + "Laster installasjonsmiljø, vennligst vent." + ], + "Locale selection": [ + "Valg av lokalisering" + ], + "Localization": [ + "Lokalisering" + ], + "Location": [ + "Plassering" + ], + "Location for %s file system": [ + "Plassering for %s filsystemet" + ], + "Log in": [ + "Logg inn" + ], + "Log in as %s": [ + "Logg på som %s" + ], + "Logical volume at system LVM": [ + "Logiske volum på system LVM" + ], + "Login": [ + "Logg inn" + ], + "Login %s": [ + "Logg på %s" + ], + "Login form": [ + "Innloggingsskjema" + ], + "Logout": [ + "Logg ut" + ], + "Main disk or LVM Volume Group for installation.": [ + "Hoveddisken eller LVM Volumgruppe for installasjon." + ], + "Main navigation": [ + "" + ], + "Make sure you provide the correct values": [ + "Pass på at du oppgir riktige verdier" + ], + "Manage and format": [ + "Behandle og formater" + ], + "Manual": [ + "Manuell" + ], + "Maximum": [ + "Maksimum" + ], + "Maximum desired size": [ + "Maksimal ønsket størrelse" + ], + "Maximum must be greater than minimum": [ + "Maksimum må være større enn minimum" + ], + "Members: %s": [ + "Medlemmer %s" + ], + "Method": [ + "Metode" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Minimum" + ], + "Minimum desired size": [ + "Minimum ønsket størrelse" + ], + "Minimum size is required": [ + "Minstestørrelse er nødvendig" + ], + "Mode": [ + "Modus" + ], + "Modify": [ + "Modifiser" + ], + "More info for file system types": [ + "Mer info om filsystemtyper" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Monter %1$s på %2$s (%3$s)" + ], + "Mount Point": [ + "Monteringspunkt" + ], + "Mount point": [ + "Monteringspunkt" + ], + "Mount the file system": [ + "Monter filsystemet" + ], + "Multipath": [ + "Flerveis" + ], + "Name": [ + "Navn" + ], + "Network": [ + "Nettverk" + ], + "New": [ + "Ny" + ], + "No": [ + "Nei" + ], + "No Wi-Fi supported": [ + "Ingen Wi-Fi støttes" + ], + "No additional software was selected.": [ + "Ingen ytterligere programvare ble valgt." + ], + "No connected yet": [ + "Ikke koblet til ennå" + ], + "No content found": [ + "Ingen innhold funnet" + ], + "No device selected yet": [ + "Ingen enhet er valgt ennå" + ], + "No iSCSI targets found.": [ + "Ingen iSCSI mål funnet." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Ingen partisjoner vil bli automatisk konfigurert for oppstart. Bruk med varsomhet." + ], + "No root authentication method defined yet.": [ + "Ingen root autentisering metode definert ennå." + ], + "No user defined yet.": [ + "Ingen bruker definert ennå." + ], + "No wired connections found": [ + "Ingen kablede tilkoblinger funnet" + ], + "No zFCP controllers found.": [ + "Ingen zFCP kontrollere funnet." + ], + "No zFCP disks found.": [ + "Ingen zFCP disker funnet." + ], + "None": [ + "Ingen" + ], + "None of the keymaps match the filter.": [ + "Ingen av tastene passer sammen med filteret." + ], + "None of the locales match the filter.": [ + "Ingen av lokaliseringene passer sammen med filteret." + ], + "None of the patterns match the filter.": [ + "Ingen av mønstrene passer sammen med filteret." + ], + "None of the time zones match the filter.": [ + "Ingen av tidssonene passer sammen med filteret." + ], + "Not selected yet": [ + "Ikke valgt ennå" + ], + "Not set": [ + "Ikke satt" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "" + ], + "Offload card": [ + "Avlastingskort" + ], + "On boot": [ + "På oppstart" + ], + "Only available if authentication by target is provided": [ + "Bare tilgjengelig hvis autentisering av målet er gitt" + ], + "Options toggle": [ + "" + ], + "Other": [ + "Andre" + ], + "Overview": [ + "Oversikt" + ], + "Partition Info": [ + "Partisjon Info" + ], + "Partition at %s": [ + "Partisjon på %s" + ], + "Partition at installation disk": [ + "Partisjon på installasjonsdisk" + ], + "Partitions and file systems": [ + "Partisjoner og filsystemer" + ], + "Partitions to boot will be allocated at the following device.": [ + "Partisjoner for oppstart vil bli tildelt på følgende enhet." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Partisjoner for oppstart vil bli tildelt på installasjonsdisken (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Partisjoner for oppstart vil bli tildelt på installasjonsdisken." + ], + "Password": [ + "Passord" + ], + "Password confirmation": [ + "Passord bekreftelse" + ], + "Password input": [ + "Passord inntasting" + ], + "Password visibility button": [ + "Passord synlighetsknapp" + ], + "Passwords do not match": [ + "Passordene er ikke like" + ], + "Pending": [ + "Avventer" + ], + "Perform an action": [ + "Utfør en handling" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Planlagt Handlinger" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Vennligst, vær oppmerksom på at en bruker må være definert før installasjon av systemet for å kunne logge inn." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Vennligst, avbryt og sjekk innstillingene hvis du er usikker." + ], + "Please, check whether it is running.": [ + "Vennligst, sjekk om den kjører." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Vennligst, definer minst en autentiseringsmetode for å logge på systemet som root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Vennligst, utfør en iSCSI oppdagelse for å finne tilgjengelige iSCSI mål." + ], + "Please, provide its password to log in to the system.": [ + "Vennligst, oppgi passordet for å logge på systemet." + ], + "Please, review provided settings and try again.": [ + "Vennligst, sjekk de angitte innstillingene og prøv igjen." + ], + "Please, try to activate a zFCP controller.": [ + "Vennligst, prøv å aktivere en zFCP kontroller." + ], + "Please, try to activate a zFCP disk.": [ + "Vennligst, prøv å aktivere en zFCP disk." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Prefikslengde eller nettmaske" + ], + "Prepare more devices by configuring advanced": [ + "Forbered flere enheter for avansert konfigurering" + ], + "Presence of other volumes (%s)": [ + "Tilstedeværelse av andre volumer (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Beskyttelse for informasjonen lagret på enheten, inkludert data, programmer, og systemfiler." + ], + "Question": [ + "Spørsmål" + ], + "Range": [ + "Rekkevidde" + ], + "Read zFCP devices": [ + "Les zFCP enheter" + ], + "Reboot": [ + "Start om" + ], + "Reload": [ + "Last på nytt" + ], + "Remove": [ + "Fjerne" + ], + "Remove max channel filter": [ + "Fjern maksimal kanal filter" + ], + "Remove min channel filter": [ + "Fjern minimum kanal filter" + ], + "Reset location": [ + "Tilbakestill plassering" + ], + "Reset to defaults": [ + "Tilbakestill til standard" + ], + "Reused %s": [ + "Gjenbrukt %s" + ], + "Root SSH public key": [ + "Root offentlig SSH nøkkel" + ], + "Root authentication": [ + "Root autentisering" + ], + "Root password": [ + "Root passord" + ], + "SD Card": [ + "SD Kort" + ], + "SSH Key": [ + "SSH Nøkkel" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Søk" + ], + "Security": [ + "Sikkerhet" + ], + "See more details": [ + "Se flere detaljer" + ], + "Select": [ + "Velg" + ], + "Select a disk": [ + "Velg en disk" + ], + "Select a location": [ + "Velg en plassering" + ], + "Select booting partition": [ + "Velg oppstartspartisjon" + ], + "Select how to allocate the file system": [ + "Velg hvordan filsystemet skal allokeres" + ], + "Select in which device to allocate the file system": [ + "Velg hvilken enhet å allokere filsystemet i" + ], + "Select installation device": [ + "Velg installasjonsenhet" + ], + "Select what to do with each partition.": [ + "Velg hva som skal skje med hver partisjon." + ], + "Selected patterns": [ + "Valgte mønstre" + ], + "Separate LVM at %s": [ + "Seperat LVM på %s" + ], + "Server IP": [ + "Server IP" + ], + "Set": [ + "Sett" + ], + "Set DIAG Off": [ + "Sett DIAG av" + ], + "Set DIAG On": [ + "Sett DIAG på" + ], + "Set a password": [ + "Sett et passord" + ], + "Set a root password": [ + "Sett et root passord" + ], + "Set root SSH public key": [ + "Sett root offentlig SSH Nøkkel" + ], + "Show %d subvolume action": [ + "Vis %d undervolum handling", + "Vis %d undervolum handlinger" + ], + "Show information about %s": [ + "" + ], + "Show partitions and file-systems actions": [ + "Vis partisjoner og filsystemhandlinger" + ], + "Shrink existing partitions": [ + "Krymp eksisterende partisjoner" + ], + "Shrinking partitions is allowed": [ + "Krymping av partisjoner er tillatt" + ], + "Shrinking partitions is not allowed": [ + "Krymping av partisjoner er ikke tillatt" + ], + "Shrinking some partitions is allowed but not needed": [ + "Krymping av noen partisjoner er tillatt men ikke nødvendig" + ], + "Size": [ + "Størrelse" + ], + "Size unit": [ + "Størrelsesenhet" + ], + "Software": [ + "Programvare" + ], + "Software %s": [ + "Programvare %s" + ], + "Software selection": [ + "Valg av programvare" + ], + "Something went wrong": [ + "Noe gikk galt" + ], + "Space policy": [ + "Plass retningslinjer" + ], + "Startup": [ + "Oppstart" + ], + "Status": [ + "Status" + ], + "Storage": [ + "Lagring" + ], + "Storage proposal not possible": [ + "Lagringsforslag er ikke mulig" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Strukturen av det nye systemet, inkludert eventuell partisjon som trengs for oppstart," + ], + "Swap at %1$s (%2$s)": [ + "Swap på %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Swap partisjon (%s)" + ], + "Swap volume (%s)": [ + "Swap volum (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "TPM forsegling krever at det nye systemet startes opp direkte." + ], + "Table with mount points": [ + "Tabell med monteringspunkter" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Ta god tid til å sjekke din konfigurasjon før du begynner installasjons prosessen." + ], + "Target Password": [ + "Målets Passord" + ], + "Targets": [ + "Mål" + ], + "The amount of RAM in the system": [ + "Mengden RAM i systemet" + ], + "The configuration of snapshots": [ + "Konfigurasjonen av øyeblikksbilder" + ], + "The content may be deleted": [ + "Innholdet kan bli slettet" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Det nåværende filsystemet på %s er valgt for å monteres på %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Det gjeldende filsystemet på den valgte enhet vil bli montert uten å formatere enheten." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Dataene beholdes, med de gjeldene partisjonene vil bli endret etter behov." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Dataene beholdes. Bare lagringsplassen som ikke er tilordnet noen partisjon vil bli brukt." + ], + "The device cannot be shrunk:": [ + "" + ], + "The file system is allocated at the device %s.": [ + "Filsystemet er allokert på enheten %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "Filsystemet vil bli allokert som en ny partisjon på den valgte disken." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Filsystemet er allokert som standard på installasjonsenheten. Indiker en egendefinert plassering for å opprette filsystemet på en spesifikk enhet." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Filsystemene vil bli tildelt som standard som [logiske volum av en ny LVM Volumgruppe]. Den korresponderende fysiske volumet vil bli opprettet på forespørsel som nye partisjoner på de valgte enhetene." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Filsystemene vil bli tildelt som standard som [nye partisjoner i den valgte enheten]." + ], + "The final size depends on %s.": [ + "Sluttstørrelsen avhenger av %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Det siste steget er å konfigurere Trusted Platform Module (TPM) for å automatisk åpne krypterte enheter vil ta plass under første oppstart av det nye systemet. For at det skal fungere, så må maskinen starte direkte med den nye oppstartslasteren." + ], + "The following software patterns are selected for installation:": [ + "Følgende programvare mønstre er valgt for installasjon:" + ], + "The installation on your machine is complete.": [ + "Installasjonen på din maskin er fullført." + ], + "The installation will take": [ + "Installasjonen vil ta" + ], + "The installation will take %s including:": [ + "Installasjonen vil ta %s inkludert:" + ], + "The installer requires [root] user privileges.": [ + "Installasjonen krever [root] bruker privilegier." + ], + "The mount point is invalid": [ + "Monteringspunktet er ugyldig" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Alternativene for filsystemtypen avhenger av produktet og monteringspunktet." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Passordet vil ikke være nødvendig for oppstart og for tilgang til data hvis TPM kan verifisere integriteten til systemet. TPM forsegling krever at det nye systemet startes opp direkte ved første oppstart." + ], + "The selected device will be formatted as %s file system.": [ + "Den valgte enheten vil bli formatert som %s filsystem." + ], + "The size of the file system cannot be edited": [ + "Størrelsen på filsystemet kan ikke bli redigert" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Systemet støtter ikke Wi-Fi tilkoblinger, sannsynligvis på grunn av manglende eller deaktivert maskinvare." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Systemet har ikke blitt konfigurert for å koble til et Wi-Fi nettverk ennå." + ], + "The system will use %s as its default language.": [ + "Systemet vil bruke %s som standardspråk." + ], + "The systems will be configured as displayed below.": [ + "Systemene vil bli konfigurert som vist nedenfor." + ], + "The type and size of the file system cannot be edited.": [ + "Typen og størrelsen av filsystemet kan ikke bli redigert." + ], + "The zFCP disk was not activated.": [ + "zFCP disken ble ikke aktivert." + ], + "There is a predefined file system for %s.": [ + "Det er et forhåndsdefinert filsystem for %s." + ], + "There is already a file system for %s.": [ + "Det er allerede et filsystem for %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Disse er de mest relevante installasjonsinnstillingene, Bla gjerne gjennom seksjonene i menyen for ytterligere detaljer." + ], + "These limits are affected by:": [ + "Disse grensene er påvirket av:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "" + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Tidssone" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "For å sikre at det nye systemet er i stand til oppstart, så må kanskje installasjonsprogrammet opprette eller konfigurere noen partisjoner på riktig disk." + ], + "Transactional Btrfs": [ + "Transaksjonell Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "Transaksjonell Btrfs root partisjon (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Transaksjonell Btrfs root volum (%s)" + ], + "Transactional root file system": [ + "Transaksjonell root filsystem" + ], + "Type": [ + "Type" + ], + "Unit for the maximum size": [ + "Enhet for maksimal størrelse" + ], + "Unit for the minimum size": [ + "Enhet for minimum størrelse" + ], + "Unused space": [ + "Ubrukt plass" + ], + "Up to %s can be recovered by shrinking the device.": [ + "" + ], + "Upload": [ + "Last opp" + ], + "Upload a SSH Public Key": [ + "Last opp en offentlig SSH Nøkkel" + ], + "Upload, paste, or drop an SSH public key": [ + "Last opp, lim inn, eller slipp en offentlig SSH nøkkel" + ], + "Usage": [ + "Bruk" + ], + "Use Btrfs snapshots for the root file system": [ + "Bruk Btrfs øyeblikksbilder for root filsystemet" + ], + "Use available space": [ + "Bruk tilgjengelig plass" + ], + "Use suggested username": [ + "Bruk foreslått brukernavn" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Bruk Trusted Platform Module (TPM) for å dekryptere automatisk ved hver oppstart" + ], + "User full name": [ + "Brukerens fulle navn" + ], + "User name": [ + "Brukernavn" + ], + "Username": [ + "Brukernavn" + ], + "Username suggestion dropdown": [ + "Rullegardinmeny for forslag til brukernavn" + ], + "Users": [ + "Brukere" + ], + "WPA & WPA2 Personal": [ + "WPA & WPA2 Personlig" + ], + "WPA Password": [ + "WPA Passord" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Venter" + ], + "Waiting for actions information...": [ + "Venter på handlingsinformasjon..." + ], + "Waiting for information about storage configuration": [ + "Venter på informasjon om lagringskonfigurasjon" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "Wired": [ + "Kablet" + ], + "Wires: %s": [ + "Kabler: %s" + ], + "Yes": [ + "Ja" + ], + "ZFCP": [ + "" + ], + "affecting": [ + "påvirker" + ], + "at least %s": [ + "minst %s" + ], + "auto": [ + "automatisk" + ], + "auto selected": [ + "Automatisk valgt" + ], + "configured": [ + "konfigurert" + ], + "deleting current content": [ + "sletter gjeldende innhold" + ], + "disabled": [ + "deaktivert" + ], + "enabled": [ + "aktivert" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "Krymper partisjoner" + ], + "storage techs": [ + "lagringsteknologier" + ], + "the amount of RAM in the system": [ + "mengden RAM i systemet" + ], + "the configuration of snapshots": [ + "konfigurasjonen av øyeblikksbilder" + ], + "the presence of the file system for %s": [ + "tilstedeværelsen av filsystemet for %s" + ], + "user autologin": [ + "bruker automatisk innlogging" + ], + "using TPM unlocking": [ + "ved hjelp av TPM opplåsing" + ], + "with custom actions": [ + "med tilpassede handlinger" + ], + "without modifying any partition": [ + "uten å modifisere noen partisjon" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "" + ], + "zFCP Disk activation form": [ + "" + ] +}; diff --git a/web/src/po/po.pt_BR.js b/web/src/po/po.pt_BR.js new file mode 100644 index 0000000000..59710a9790 --- /dev/null +++ b/web/src/po/po.pt_BR.js @@ -0,0 +1,1480 @@ +export default { + "": { + "plural-forms": (n) => n > 1, + "language": "pt_BR" + }, + " Timezone selection": [ + " Seleção de fuso horário" + ], + " and ": [ + " e " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s em %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s partição (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s volume (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s raíz em %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s partição raiz (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s volume raíz (%2$s)" + ], + "%d partition will be shrunk": [ + "%d partição será reduzida", + "%d partições serão reduzidas" + ], + "%s disk": [ + "disco %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s é um sistema imutável com atualizações atômicas. Ele usa um sistema de arquivos Btrfs somente leitura atualizado via instantâneos." + ], + "%s logo": [ + "logo %s" + ], + "%s with %d partitions": [ + "%s com %d partições" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "É necessário um ponto de montagem" + ], + "A new LVM Volume Group": [ + "Um novo grupo de volume LVM" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "Um novo grupo de volumes será alocado no disco selecionado e o sistema de arquivos será criado como um volume lógico." + ], + "A size value is required": [ + "Um valor de tamanho é necessário" + ], + "Accept": [ + "Aceitar" + ], + "Action": [ + "Ação" + ], + "Actions": [ + "Ações" + ], + "Actions for connection %s": [ + "Ações para a conexão %s" + ], + "Actions to find space": [ + "Ações para encontrar espaço" + ], + "Activate": [ + "Ativar" + ], + "Activate disks": [ + "Ativar discos" + ], + "Activate new disk": [ + "Ativar novo disco" + ], + "Activate zFCP disk": [ + "Ativar disco zFCP" + ], + "Activated": [ + "Ativado" + ], + "Add %s file system": [ + "Adicionar %s sistema de arquivos" + ], + "Add DNS": [ + "Adicionar DNS" + ], + "Add a SSH Public Key for root": [ + "Adicione uma chave pública SSH para root" + ], + "Add an address": [ + "Adicionar um endereço" + ], + "Add another DNS": [ + "Adicionar outro DNS" + ], + "Add another address": [ + "Adicionar outro endereço" + ], + "Add file system": [ + "Adicionar sistema de arquivos" + ], + "Address": [ + "Endereço" + ], + "Addresses": [ + "Endereços" + ], + "Addresses data list": [ + "Lista de dados de endereços" + ], + "All fields are required": [ + "Todos os campos são necessários" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Todas as partições serão removidas e todos os dados nos discos serão perdidos." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Permite inicializar uma versão anterior do sistema após alterações de configuração ou atualizações de software." + ], + "Already set": [ + "Já definido" + ], + "An existing disk": [ + "Um disco existente" + ], + "At least one address must be provided for selected mode": [ + "Pelo menos um endereço deve ser fornecido para o modo selecionado" + ], + "At this point you can power off the machine.": [ + "Neste ponto você pode desligar a máquina." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Neste ponto você pode reiniciar a máquina para entrar no novo sistema." + ], + "Authentication by initiator": [ + "Autenticação pelo iniciador" + ], + "Authentication by target": [ + "Autenticação pelo alvo" + ], + "Authentication failed, please try again": [ + "A autenticação falhou, tente novamente" + ], + "Auto": [ + "Automático" + ], + "Auto LUNs Scan": [ + "Verificação automática de LUNs" + ], + "Auto-login": [ + "Login automático" + ], + "Automatic": [ + "Automático" + ], + "Automatic (DHCP)": [ + "Automático (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "A varredura automática de LUN está [desabilitada]. Os LUNs precisam ser configurados manualmente após a ativação de um controlador." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "A varredura automática de LUN está [habilitada]. A ativação de um controlador que está sendo executado no modo NPIV configurará automaticamente todos os seus LUNs." + ], + "Automatically calculated size according to the selected product.": [ + "Tamanho calculado automaticamente de acordo com o produto selecionado." + ], + "Available products": [ + "Produtos disponíveis" + ], + "Back": [ + "Voltar" + ], + "Back to device selection": [ + "Voltar para a seleção de dispositivos" + ], + "Before %s": [ + "Antes %s" + ], + "Before installing, please check the following problems.": [ + "Antes de instalar, verifique os seguintes problemas." + ], + "Before starting the installation, you need to address the following problems:": [ + "Antes de iniciar a instalação, você precisa resolver os seguintes problemas:" + ], + "Boot partitions at %s": [ + "Partições de inicialização em %s" + ], + "Boot partitions at installation disk": [ + "Partições de inicialização no disco de instalação" + ], + "Btrfs root partition with snapshots (%s)": [ + "Partição raiz Btrfs com snapshots (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Volume raiz Btrfs com instantâneos (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs com instantâneos" + ], + "Cancel": [ + "Cancelar" + ], + "Cannot accommodate the required file systems for installation": [ + "Não é possível acomodar os sistemas de arquivos necessários para a instalação" + ], + "Cannot be changed in remote installation": [ + "Não pode ser alterado na instalação remota" + ], + "Cannot connect to Agama server": [ + "Não é possível conectar-se ao servidor Agama" + ], + "Cannot format all selected devices": [ + "Não é possível formatar todos os dispositivos selecionados" + ], + "Change": [ + "Alterar" + ], + "Change boot options": [ + "Alterar opções de inicialização" + ], + "Change location": [ + "Alterar local" + ], + "Change product": [ + "Alterar produto" + ], + "Change selection": [ + "Alterar seleção" + ], + "Change the root password": [ + "Alterar a senha do root" + ], + "Channel ID": [ + "ID do canal" + ], + "Check the planned action": [ + "Confira a ação planejada", + "Verifique as %d ações planejadas" + ], + "Choose a disk for placing the boot loader": [ + "Escolha um disco para colocar o carregador de inicialização" + ], + "Clear": [ + "Limpar" + ], + "Close": [ + "Fechar" + ], + "Configuring the product, please wait ...": [ + "Configurando o produto, aguarde..." + ], + "Confirm": [ + "Confirmar" + ], + "Confirm Installation": [ + "Confirmar instalação" + ], + "Congratulations!": [ + "Parabéns!" + ], + "Connect": [ + "Conectar" + ], + "Connect to a Wi-Fi network": [ + "Conectar-se à uma rede Wi-Fi" + ], + "Connect to hidden network": [ + "Conectar-se à rede oculta" + ], + "Connect to iSCSI targets": [ + "Conectar-se a alvos iSCSI" + ], + "Connected": [ + "Conectado" + ], + "Connected (%s)": [ + "Conectado (%s)" + ], + "Connected to %s": [ + "Conectado a (%s)" + ], + "Connecting": [ + "Conectando" + ], + "Connection actions": [ + "Ações de conexão" + ], + "Continue": [ + "Continuar" + ], + "Controllers": [ + "Controladores" + ], + "Could not authenticate against the server, please check it.": [ + "Não foi possível autenticar no servidor, verifique." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Não foi possível fazer login. Verifique se a senha está correta." + ], + "Create a dedicated LVM volume group": [ + "Crie um grupo de volumes LVM dedicado" + ], + "Create a new partition": [ + "Criar uma nova partição" + ], + "Create user": [ + "Criar usuário" + ], + "Custom": [ + "Personalizado" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "Tabela de seleção de dispositivos DASD" + ], + "DASDs table section": [ + "Sessão da tabela DASD" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Desativar" + ], + "Deactivated": [ + "Desativado" + ], + "Define a user now": [ + "Defina um usuário agora" + ], + "Delete": [ + "Excluir" + ], + "Delete current content": [ + "Excluir conteúdo atual" + ], + "Destructive actions are allowed": [ + "Ações destrutivas são permitidas" + ], + "Destructive actions are not allowed": [ + "Ações destrutivas não são permitidas" + ], + "Details": [ + "Detalhes" + ], + "Device": [ + "Dispositivo" + ], + "Device selector for new LVM volume group": [ + "Seletor de dispositivo para novo grupo de volume LVM" + ], + "Device selector for target disk": [ + "Seletor de dispositivo para disco de destino" + ], + "Devices: %s": [ + "Dispositivos: %s" + ], + "Discard": [ + "Descartar" + ], + "Disconnect": [ + "Desconectar" + ], + "Disconnected": [ + "Desconectado" + ], + "Discover": [ + "Descobrir" + ], + "Discover iSCSI Targets": [ + "Descubra os alvos iSCSI" + ], + "Discover iSCSI targets": [ + "Descubra alvos iSCSI" + ], + "Disk": [ + "Disco" + ], + "Disks": [ + "Discos" + ], + "Do not configure": [ + "Não configurar" + ], + "Do not configure partitions for booting": [ + "Não configure partições para inicialização" + ], + "Do you want to add it?": [ + "Você quer adicionar?" + ], + "Do you want to edit it?": [ + "Você quer editá-lo?" + ], + "Download logs": [ + "Baixar logs" + ], + "Edit": [ + "Editar" + ], + "Edit %s": [ + "Editar %s" + ], + "Edit %s file system": [ + "Editar %s sistema de arquivos" + ], + "Edit connection %s": [ + "Editar conexão %s" + ], + "Edit file system": [ + "Editar sistema de arquivos" + ], + "Edit iSCSI Initiator": [ + "Editar iniciador iSCSI" + ], + "Edit password too": [ + "Edite a senha também" + ], + "Edit the SSH Public Key for root": [ + "Edite a chave pública SSH para root" + ], + "Edit user": [ + "Editar usuário" + ], + "Enable": [ + "Ativado" + ], + "Encrypt the system": [ + "Criptografar o sistema" + ], + "Encrypted Device": [ + "Dispositivo criptografado" + ], + "Encryption": [ + "Criptografia" + ], + "Encryption Password": [ + "Senha de criptografia" + ], + "Exact size": [ + "Tamanho exato" + ], + "Exact size for the file system.": [ + "Tamanho exato do sistema de arquivos." + ], + "File system type": [ + "Tipo de sistema de arquivos" + ], + "File systems created as new partitions at %s": [ + "Sistemas de arquivos criados como novas partições em %s" + ], + "File systems created at a new LVM volume group": [ + "Sistemas de arquivos criados em um novo grupo de volumes LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Sistemas de arquivos criados em um novo grupo de volumes LVM em %s" + ], + "Filter by description or keymap code": [ + "Filtrar por descrição ou código do mapa de teclado" + ], + "Filter by language, territory or locale code": [ + "Filtrar por idioma, território ou código de localidade" + ], + "Filter by max channel": [ + "Filtrar por canal máximo" + ], + "Filter by min channel": [ + "Filtrar por canal mínimo" + ], + "Filter by pattern title or description": [ + "Filtrar por título ou descrição do padrão" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrar por território, código de fuso horário ou deslocamento UTC" + ], + "Final layout": [ + "Layout final" + ], + "Finish": [ + "Concluir" + ], + "Finished": [ + "Concluído" + ], + "First user": [ + "Primeiro usuário" + ], + "Fixed": [ + "Fixo" + ], + "Forget": [ + "Esquecer" + ], + "Forget connection %s": [ + "Esquecer conexão %s" + ], + "Format": [ + "Formatar" + ], + "Format selected devices?": [ + "Formatar os dispositivos selecionados?" + ], + "Format the device": [ + "Formatar o dispositivo" + ], + "Formatted": [ + "Formatado" + ], + "Formatting DASD devices": [ + "Formatando dispositivos DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "A Criptografia Completa de Disco (FDE) permite proteger as informações armazenadas no dispositivo, incluindo dados, programas e arquivos de sistema." + ], + "Full name": [ + "Nome completo" + ], + "Gateway": [ + "Gateway" + ], + "Gateway can be defined only in 'Manual' mode": [ + "O gateway só pode ser definido no modo 'Manual'" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Ocultar %d ação do subvolume", + "Ocultar %d ações de subvolume" + ], + "Hide details": [ + "Ocultar Detalhes" + ], + "IP Address": [ + "Endereço IP" + ], + "IP address": [ + "Endereço IP" + ], + "IP addresses": [ + "Endereços IP" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Se uma mídia local foi usada para executar este instalador, remova-a antes da próxima inicialização." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Se você continuar, as partições do seu disco rígido serão modificadas de acordo com as configurações de instalação fornecidas." + ], + "In progress": [ + "Em progresso" + ], + "Incorrect IP address": [ + "Endereço IP incorreto" + ], + "Incorrect password": [ + "Senha incorreta" + ], + "Incorrect port": [ + "Porta incorreta" + ], + "Incorrect user name": [ + "Nome de usuário incorreto" + ], + "Initiator": [ + "Iniciador" + ], + "Initiator name": [ + "Nome do iniciador" + ], + "Install": [ + "Instalar" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM) excluindo todo o conteúdo dos dispositivos subjacentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM) em %s excluindo todo o seu conteúdo" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Instale em um novo grupo de volumes do Logical Volume Manager (LVM) em %s, reduzindo as partições existentes conforme necessário" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Instale em um novo grupo de volumes do Logical Volume Manager (LVM) em %s usando uma estratégia personalizada para encontrar o espaço necessário" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM) em %s sem modificar as partições existentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM), reduzindo as partições existentes nos dispositivos subjacentes conforme necessário" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM) usando uma estratégia customizada para encontrar o espaço necessário nos dispositivos subjacentes" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Instalar em um novo grupo de volumes do Logical Volume Manager (LVM) sem modificar as partições nos dispositivos subjacentes" + ], + "Install new system on": [ + "Instalar novo sistema em" + ], + "Install using device %s and deleting all its content": [ + "Instalar usando o dispositivo %s e excluindo todo o seu conteúdo" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Instale usando o dispositivo %s, reduzindo as partições existentes conforme necessário" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Instale usando o dispositivo %s com uma estratégia personalizada para encontrar o espaço necessário" + ], + "Install using device %s without modifying existing partitions": [ + "Instalar usando o dispositivo %s sem modificar as partições existentes" + ], + "Installation blocking issues": [ + "Problemas bloqueando a instalação" + ], + "Installation device": [ + "Dispositivo de instalação" + ], + "Installation issues": [ + "Problemas de instalação" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "A instalação ainda não é possível devido a problemas. Verifique-os na página Visão geral." + ], + "Installation will configure partitions for booting at %s.": [ + "A instalação configurará as partições para inicialização em %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "A instalação configurará partições para inicialização no disco de instalação." + ], + "Installation will not configure partitions for booting.": [ + "A instalação não configurará partições para inicialização." + ], + "Installation will take %s.": [ + "A instalação levará %s." + ], + "Installer Options": [ + "Opções do Instalador" + ], + "Installer options": [ + "Opções do instalador" + ], + "Installing the system, please wait...": [ + "Instalando o sistema, por favor aguarde..." + ], + "Interface": [ + "Interface" + ], + "Ip prefix or netmask": [ + "Prefixo do IP ou máscara de rede" + ], + "Keyboard": [ + "Teclado" + ], + "Keyboard layout": [ + "Layout do teclado" + ], + "Keyboard selection": [ + "Seleção de teclado" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Idioma" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Limites para o tamanho do sistema de arquivos. O tamanho final será um valor entre o mínimo e o máximo fornecidos. Se nenhum máximo for fornecido, o sistema de arquivos será o maior possível." + ], + "Loading data...": [ + "Carregando dados..." + ], + "Loading installation environment, please wait.": [ + "Carregando ambiente de instalação, aguarde." + ], + "Locale selection": [ + "Seleção local" + ], + "Localization": [ + "Localização" + ], + "Location": [ + "Localização" + ], + "Location for %s file system": [ + "Localização do sistema de arquivos %s" + ], + "Log in": [ + "Faça login" + ], + "Log in as %s": [ + "Faça login como %s" + ], + "Logical volume at system LVM": [ + "Volume lógico no sistema LVM" + ], + "Login": [ + "Entrar" + ], + "Login %s": [ + "Entrar %s" + ], + "Login form": [ + "Formulário de login" + ], + "Logout": [ + "Encerrar sessão" + ], + "Main disk or LVM Volume Group for installation.": [ + "Disco principal ou o grupo de volumes LVM para instalação." + ], + "Main navigation": [ + "Navegação principal" + ], + "Make sure you provide the correct values": [ + "Certifique-se de fornecer os valores corretos" + ], + "Manage and format": [ + "Gerenciar e formatar" + ], + "Manual": [ + "Manual" + ], + "Maximum": [ + "Máximo" + ], + "Maximum desired size": [ + "Tamanho máximo desejado" + ], + "Maximum must be greater than minimum": [ + "O máximo deve ser maior que o mínimo" + ], + "Members: %s": [ + "Membros: %s" + ], + "Method": [ + "Método" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Mínimo" + ], + "Minimum desired size": [ + "Tamanho mínimo desejado" + ], + "Minimum size is required": [ + "Tamanho mínimo é necessário" + ], + "Mode": [ + "Modo" + ], + "Modify": [ + "Modificar" + ], + "More info for file system types": [ + "Mais informações sobre tipos de sistemas de arquivos" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Montar %1$s em %2$s (%3$s)" + ], + "Mount Point": [ + "Ponto de montagem" + ], + "Mount point": [ + "Ponto de montagem" + ], + "Mount the file system": [ + "Montar o sistema de arquivos" + ], + "Multipath": [ + "Múltiplo caminho" + ], + "Name": [ + "Nome" + ], + "Network": [ + "Rede" + ], + "New": [ + "Novo" + ], + "No": [ + "Não" + ], + "No Wi-Fi supported": [ + "Não há suporte para Wi-Fi" + ], + "No additional software was selected.": [ + "Nenhum software adicional foi selecionado." + ], + "No connected yet": [ + "Ainda não conectado" + ], + "No content found": [ + "Nenhum conteúdo encontrado" + ], + "No device selected yet": [ + "Nenhum dispositivo selecionado ainda" + ], + "No iSCSI targets found.": [ + "Nenhum destino iSCSI encontrado." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Nenhuma partição será configurada automaticamente para inicialização. Use com cautela." + ], + "No root authentication method defined yet.": [ + "Nenhum método de autenticação raiz definido ainda." + ], + "No user defined yet.": [ + "Nenhum usuário definido ainda." + ], + "No visible Wi-Fi networks found": [ + "Nenhuma rede Wi-Fi visível encontrada" + ], + "No wired connections found": [ + "Nenhuma conexão com fio encontrada" + ], + "No zFCP controllers found.": [ + "Nenhum controlador zFCP encontrado." + ], + "No zFCP disks found.": [ + "Nenhum disco zFCP encontrado." + ], + "None": [ + "Nenhuma" + ], + "None of the keymaps match the filter.": [ + "Nenhum dos mapas de teclado corresponde ao filtro." + ], + "None of the locales match the filter.": [ + "Nenhum dos locais corresponde ao filtro." + ], + "None of the patterns match the filter.": [ + "Nenhum dos padrões corresponde ao filtro." + ], + "None of the time zones match the filter.": [ + "Nenhum dos fusos horários corresponde ao filtro." + ], + "Not selected yet": [ + "Ainda não selecionado" + ], + "Not set": [ + "Não definido" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Dispositivos offline devem ser ativados antes de formatá-los. Por favor, desmarque ou ative os dispositivos listados abaixo e tente novamente" + ], + "Offload card": [ + "Cartão de descarga" + ], + "On boot": [ + "Na inicialização" + ], + "Only available if authentication by target is provided": [ + "Disponível somente se a autenticação por destino for fornecida" + ], + "Options toggle": [ + "Alternar opções" + ], + "Other": [ + "Outro" + ], + "Overview": [ + "Visão geral" + ], + "Partition Info": [ + "Informação da partição" + ], + "Partition at %s": [ + "Partição em %s" + ], + "Partition at installation disk": [ + "Partição no disco de instalação" + ], + "Partitions and file systems": [ + "Partições e sistemas de arquivos" + ], + "Partitions to boot will be allocated at the following device.": [ + "As partições para inicialização serão alocadas no seguinte dispositivo." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "As partições para inicialização serão alocadas no disco de instalação (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "As partições para inicialização serão alocadas no disco de instalação." + ], + "Password": [ + "Senha" + ], + "Password Required": [ + "Senha Requisitada" + ], + "Password confirmation": [ + "Confirmação de senha" + ], + "Password input": [ + "Entrada de senha" + ], + "Password visibility button": [ + "Botão de visibilidade de senha" + ], + "Passwords do not match": [ + "As senhas não coincidem" + ], + "Pending": [ + "Pendente" + ], + "Perform an action": [ + "Executar uma ação" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Ações planejadas" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Por favor, esteja ciente de que um usuário deve ser definido antes de instalar o sistema para poder fazer login nele." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Cancele e verifique se as configurações se não tiver certeza." + ], + "Please, check whether it is running.": [ + "Por favor, verifique se ele está em execução." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Por favor, defina pelo menos um método de autenticação para fazer login no sistema como root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Execute uma descoberta iSCSI para encontrar os alvos iSCSI disponíveis." + ], + "Please, provide its password to log in to the system.": [ + "Por favor, forneça sua senha para fazer login no sistema." + ], + "Please, review provided settings and try again.": [ + "Revise as configurações fornecidas e tente novamente." + ], + "Please, try to activate a zFCP controller.": [ + "Por favor, tente ativar um controlador zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Por favor, tente ativar um disco zFCP." + ], + "Port": [ + "Porta" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Comprimento do prefixo ou máscara de rede" + ], + "Prepare more devices by configuring advanced": [ + "Prepare mais dispositivos configurando o avançado" + ], + "Presence of other volumes (%s)": [ + "Presença de outros volumes (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Proteção para as informações armazenadas no dispositivo, incluindo dados, programas e arquivos de sistema." + ], + "Question": [ + "Pergunta" + ], + "Range": [ + "Intervalo" + ], + "Read zFCP devices": [ + "Ler dispositivos zFCP" + ], + "Reboot": [ + "Reiniciar" + ], + "Reload": [ + "Recarregar" + ], + "Remove": [ + "Remover" + ], + "Remove max channel filter": [ + "Remover filtro de canal máximo" + ], + "Remove min channel filter": [ + "Remover filtro de canal mínimo" + ], + "Reset location": [ + "Redefinir local" + ], + "Reset to defaults": [ + "Restaurar padrões" + ], + "Reused %s": [ + "Reutilizado %s" + ], + "Root SSH public key": [ + "Chave pública SSH raiz" + ], + "Root authentication": [ + "Autenticação root" + ], + "Root password": [ + "Senha root" + ], + "SD Card": [ + "Cartão SD" + ], + "SSH Key": [ + "Chave SSH" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Pesquisar" + ], + "Security": [ + "Segurança" + ], + "See more details": [ + "Ver mais detalhes" + ], + "Select": [ + "Selecionar" + ], + "Select a disk": [ + "Selecionar um disco" + ], + "Select a location": [ + "Selecione um local" + ], + "Select a product": [ + "Selecione um produto" + ], + "Select booting partition": [ + "Selecione a partição de inicialização" + ], + "Select how to allocate the file system": [ + "Selecione como alocar o sistema de arquivos" + ], + "Select in which device to allocate the file system": [ + "Selecione em qual dispositivo alocar o sistema de arquivos" + ], + "Select installation device": [ + "Selecione o dispositivo de instalação" + ], + "Select what to do with each partition.": [ + "Selecione o que fazer com cada partição." + ], + "Selected patterns": [ + "Selecionar padrões" + ], + "Separate LVM at %s": [ + "Separar LVM em %s" + ], + "Server IP": [ + "IP do servidor" + ], + "Set": [ + "Definir" + ], + "Set DIAG Off": [ + "Definir DIAG desligado" + ], + "Set DIAG On": [ + "Definir DIAG em" + ], + "Set a password": [ + "Defina uma senha" + ], + "Set a root password": [ + "Defina uma senha root" + ], + "Set root SSH public key": [ + "Definir chave pública SSH raiz" + ], + "Show %d subvolume action": [ + "Mostrar ação do subvolume %d", + "Mostrar %d ações de subvolume" + ], + "Show information about %s": [ + "Mostrar informações sobre %s" + ], + "Show partitions and file-systems actions": [ + "Mostrar partições e ações de sistemas de arquivos" + ], + "Shrink existing partitions": [ + "Diminuir partições existentes" + ], + "Shrinking partitions is allowed": [ + "Reduzir partições é permitido" + ], + "Shrinking partitions is not allowed": [ + "Não é permitido reduzir partições" + ], + "Shrinking some partitions is allowed but not needed": [ + "Reduzir algumas partições é permitido, mas não é necessário" + ], + "Size": [ + "Tamanho" + ], + "Size unit": [ + "Unidade de tamanho" + ], + "Software": [ + "Software" + ], + "Software %s": [ + "Programas %s" + ], + "Software selection": [ + "Seleção de software" + ], + "Something went wrong": [ + "Alguma coisa deu errado" + ], + "Space policy": [ + "Política espacial" + ], + "Startup": [ + "Inicialização" + ], + "Status": [ + "Status" + ], + "Storage": [ + "Armazenamento" + ], + "Storage proposal not possible": [ + "Proposta de armazenamento não é possível" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Estrutura do novo sistema, incluindo qualquer partição adicional necessária para inicialização" + ], + "Swap at %1$s (%2$s)": [ + "Troca em %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Partição de swap (%s)" + ], + "Swap volume (%s)": [ + "Volume de swap (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "A vedação TPM exige que o novo sistema seja inicializado diretamente." + ], + "Table with mount points": [ + "Tabela com pontos de montagem" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Reserve um tempo para verificar sua configuração antes de iniciar o processo de instalação." + ], + "Target Password": [ + "Senha de destino" + ], + "Targets": [ + "Destinos" + ], + "The amount of RAM in the system": [ + "A quantidade de RAM no sistema" + ], + "The configuration of snapshots": [ + "A configuração de instantâneos" + ], + "The content may be deleted": [ + "O conteúdo pode ser excluído" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "O sistema de arquivos atual em %s está selecionado para ser montado em %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "O sistema de arquivos atual no dispositivo selecionado será montado sem formatar o dispositivo." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Os dados são mantidos, mas as partições atuais serão redimensionadas conforme necessário." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Os dados são mantidos. Somente o espaço não atribuído a nenhuma partição será utilizado." + ], + "The device cannot be shrunk:": [ + "O dispositivo não pode ser encolhido:" + ], + "The encryption password did not work": [ + "A senha de criptografia não funcionou" + ], + "The file system is allocated at the device %s.": [ + "O sistema de arquivos está alocado no dispositivo %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "O sistema de arquivos será alocado como uma nova partição no disco selecionado." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Os sistemas de arquivos são alocados no dispositivo de instalação por padrão. Indique um local personalizado para criar o sistema de arquivos em um dispositivo específico." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Os sistemas de arquivos serão alocados por padrão como [volumes lógicos de um novo LVM Volume Group]. Os volumes físicos correspondentes serão criados sob demanda como novas partições nos dispositivos selecionados." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Os sistemas de arquivos serão alocados por padrão como [novas partições no dispositivo selecionado]." + ], + "The final size depends on %s.": [ + "O tamanho final depende de %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "A etapa final para configurar o Trusted Platform Module (TPM) para abrir automaticamente dispositivos criptografados ocorrerá durante a primeira inicialização do novo sistema. Para que isso funcione, a máquina precisa inicializar diretamente no novo gerenciador de boot." + ], + "The following software patterns are selected for installation:": [ + "Os seguintes padrões de software são selecionados para instalação:" + ], + "The installation on your machine is complete.": [ + "A instalação em sua máquina está concluída." + ], + "The installation will take": [ + "A instalação levará" + ], + "The installation will take %s including:": [ + "A instalação levará %s incluindo:" + ], + "The installer requires [root] user privileges.": [ + "O instalador requer privilégios de usuário [root]." + ], + "The mount point is invalid": [ + "O ponto de montagem é inválido" + ], + "The options for the file system type depends on the product and the mount point.": [ + "As opções para o tipo de sistema de arquivos dependem do produto e do ponto de montagem." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "A senha não será necessária para inicializar e acessar os dados se o TPM puder verificar a integridade do sistema. A vedação do TPM exige que o novo sistema seja inicializado diretamente em sua primeira execução." + ], + "The selected device will be formatted as %s file system.": [ + "O dispositivo selecionado será formatado como sistema de arquivos %s." + ], + "The size of the file system cannot be edited": [ + "O tamanho do sistema de arquivos não pode ser editado" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "O sistema não suporta conexões Wi-Fi, provavelmente devido a hardware ausente ou desativado." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "O sistema ainda não foi configurado para se conectar a uma rede Wi-Fi." + ], + "The system will use %s as its default language.": [ + "O sistema usará %s como idioma padrão." + ], + "The systems will be configured as displayed below.": [ + "Os sistemas serão configurados conforme mostrado abaixo." + ], + "The type and size of the file system cannot be edited.": [ + "a presença do sistema de arquivos para %s." + ], + "The zFCP disk was not activated.": [ + "O disco zFCP não foi ativado." + ], + "There is a predefined file system for %s.": [ + "Há um sistema de arquivos predefinido para %s." + ], + "There is already a file system for %s.": [ + "Já existe um sistema de arquivos para %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Estas são as configurações de instalação mais relevantes. Sinta-se à vontade para navegar pelas seções do menu para obter mais detalhes." + ], + "These limits are affected by:": [ + "Esses limites são afetados por:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Esta ação pode destruir quaisquer dados armazenados nos dispositivos listados abaixo. Por favor, confirme que você realmente deseja continuar." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Este produto não permite selecionar padrões de software durante a instalação. No entanto, você pode adicionar software adicional quando a instalação for concluída." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Este espaço inclui o sistema base e os padrões de software selecionados, se houver." + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Fuso horário" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Para garantir que o novo sistema possa inicializar, o instalador pode precisar criar ou configurar algumas partições no disco apropriado." + ], + "Transactional Btrfs": [ + "Btrfs transacionais" + ], + "Transactional Btrfs root partition (%s)": [ + "Partição raiz Btrfs transacional (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Volume raiz Btrfs transacional (%s)" + ], + "Transactional root file system": [ + "Sistema de arquivo raiz transacional" + ], + "Type": [ + "Tipo" + ], + "Unit for the maximum size": [ + "Unidade para o tamanho máximo" + ], + "Unit for the minimum size": [ + "Unidade para o tamanho mínimo" + ], + "Unselect": [ + "Desmarcar" + ], + "Unused space": [ + "Espaço não utilizado" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Até %s podem ser recuperados reduzindo o tamanho do dispositivo." + ], + "Upload": [ + "Enviar" + ], + "Upload a SSH Public Key": [ + "Carregar uma chave pública SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Carregar, colar ou descartar uma chave pública SSH" + ], + "Usage": [ + "Uso" + ], + "Use Btrfs snapshots for the root file system": [ + "Tamanho exato do sistema de arquivos" + ], + "Use available space": [ + "Utilize o espaço disponível" + ], + "Use suggested username": [ + "Use o nome de usuário sugerido" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Use o Trusted Platform Module (TPM) para descriptografar automaticamente em cada inicialização" + ], + "User full name": [ + "Nome completo do usuário" + ], + "User name": [ + "Nome de usuário" + ], + "Username": [ + "Nome de usuário" + ], + "Username suggestion dropdown": [ + "Menu suspenso de sugestões de nome de usuário" + ], + "Users": [ + "Usuários" + ], + "Visible Wi-Fi networks": [ + "Redes WiFi visíveis" + ], + "WPA & WPA2 Personal": [ + "WPA e WPA2 pessoal" + ], + "WPA Password": [ + "Senha WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Aguardando" + ], + "Waiting for actions information...": [ + "Aguardando informações sobre ações..." + ], + "Waiting for information about storage configuration": [ + "Aguardando informações sobre configuração de armazenamento" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "WiFi connection form": [ + "Formulário de conexão WiFi %s" + ], + "Wired": [ + "Cabeada" + ], + "Wires: %s": [ + "Fios: %s" + ], + "Yes": [ + "Sim" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "afetando" + ], + "at least %s": [ + "Pelo menos %s" + ], + "auto": [ + "automático" + ], + "auto selected": [ + "selecionado automaticamente" + ], + "configured": [ + "Configurado" + ], + "deleting current content": [ + "Excluindo o conteúdo atual" + ], + "disabled": [ + "desativado" + ], + "enabled": [ + "ativado" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "Diminuindo partições" + ], + "storage techs": [ + "tecnologias de armazenamento" + ], + "the amount of RAM in the system": [ + "a quantidade de RAM no sistema" + ], + "the configuration of snapshots": [ + "a configuração de instantâneos" + ], + "the presence of the file system for %s": [ + "a presença do sistema de arquivos para %s" + ], + "user autologin": [ + "login automático do usuário" + ], + "using TPM unlocking": [ + "usando desbloqueio TPM" + ], + "with custom actions": [ + "com ações personalizadas" + ], + "without modifying any partition": [ + "sem modificar nenhuma partição" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "Ativação do Disco zFCP" + ], + "zFCP Disk activation form": [ + "Formulário de ativação do disco zFCP" + ] +}; diff --git a/web/src/po/po.ru.js b/web/src/po/po.ru.js new file mode 100644 index 0000000000..793a231b5e --- /dev/null +++ b/web/src/po/po.ru.js @@ -0,0 +1,1421 @@ +export default { + "": { + "plural-forms": (n) => n%10==1 && n%100!=11 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2, + "language": "ru" + }, + " Timezone selection": [ + " Выбор часового пояса" + ], + " and ": [ + " и " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s на %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s раздел %2$s (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s том %2$s (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s корень на %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "Корневой раздел %1$s (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "Корневой том %1$s (%2$s)" + ], + "%d partition will be shrunk": [ + "%d раздел будет сокращён", + "%d раздела будут сокращены", + "%d разделов будут сокращены" + ], + "%s disk": [ + "Диск %s" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s - это неизменяемая система с атомарными обновлениями. Она использует файловую систему Btrfs, доступную только для чтения и обновляемую с помощью моментальных снимков." + ], + "%s logo": [ + "" + ], + "%s with %d partitions": [ + "%s с %d разделами" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Требуется точка монтирования" + ], + "A new LVM Volume Group": [ + "новую группу томов LVM" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "На выбранном диске будет выделена новая группа томов, а файловая система будет создана как логический том." + ], + "A size value is required": [ + "Требуется значение размера" + ], + "Accept": [ + "Подтвердить" + ], + "Action": [ + "Действие" + ], + "Actions": [ + "Действия" + ], + "Actions for connection %s": [ + "Действия для соединения %s" + ], + "Actions to find space": [ + "Действия по поиску места" + ], + "Activate": [ + "Активировать" + ], + "Activate disks": [ + "Активировать диски" + ], + "Activate new disk": [ + "Активировать новый диск" + ], + "Activate zFCP disk": [ + "Активировать диск zFCP" + ], + "Activated": [ + "Активировано" + ], + "Add %s file system": [ + "Добавить файловую систему %s" + ], + "Add DNS": [ + "Добавить DNS" + ], + "Add a SSH Public Key for root": [ + "Добавить публичный ключ SSH для root" + ], + "Add an address": [ + "Добавить адрес" + ], + "Add another DNS": [ + "Добавить другой DNS" + ], + "Add another address": [ + "Добавить другой адрес" + ], + "Add file system": [ + "Добавить файловую систему" + ], + "Address": [ + "Адрес" + ], + "Addresses": [ + "Адреса" + ], + "Addresses data list": [ + "Список данных адресов" + ], + "All fields are required": [ + "Все поля обязательны" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Все разделы будут удалены, а все данные на дисках будут потеряны." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Позволяет загрузиться в предыдущую версию системы после изменения конфигурации или обновления программного обеспечения." + ], + "Already set": [ + "Уже установлен" + ], + "An existing disk": [ + "существующий диск" + ], + "At least one address must be provided for selected mode": [ + "Для выбранного режима необходимо предоставить не менее одного адреса" + ], + "At this point you can power off the machine.": [ + "На этом этапе вы можете выключить устройство." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "На этом этапе вы можете перезагрузить устройство, чтобы войти в новую систему." + ], + "Authentication by initiator": [ + "Аутентификация инициатором" + ], + "Authentication by target": [ + "Аутентификация по цели" + ], + "Auto": [ + "Автоматически" + ], + "Auto LUNs Scan": [ + "Автоматическое сканирование LUN" + ], + "Auto-login": [ + "Автологин" + ], + "Automatic": [ + "Автоматически" + ], + "Automatic (DHCP)": [ + "Автоматически (DHCP)" + ], + "Automatically calculated size according to the selected product.": [ + "Автоматический расчет размера в соответствии с выбранным продуктом." + ], + "Available products": [ + "Доступные продукты" + ], + "Back": [ + "Назад" + ], + "Before %s": [ + "До %s" + ], + "Before installing, please check the following problems.": [ + "Проверьте следующие проблемы перед установкой." + ], + "Before starting the installation, you need to address the following problems:": [ + "До начала установки нужно устранить следующие проблемы:" + ], + "Boot partitions at %s": [ + "Загрузочные разделы на %s" + ], + "Boot partitions at installation disk": [ + "Загрузочные разделы на диске для установки" + ], + "Btrfs root partition with snapshots (%s)": [ + "Корневой раздел Btrfs с моментальными снимками (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Корневой том Btrfs с моментальными снимками (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs с моментальными снимками" + ], + "Cancel": [ + "Отмена" + ], + "Cannot accommodate the required file systems for installation": [ + "Невозможно разместить необходимые файловые системы для установки" + ], + "Cannot be changed in remote installation": [ + "Нельзя изменить при удаленной установке" + ], + "Cannot connect to Agama server": [ + "Не удалось подключиться к серверу Agama" + ], + "Cannot format all selected devices": [ + "" + ], + "Change": [ + "Изменить" + ], + "Change boot options": [ + "Изменение параметров загрузки" + ], + "Change location": [ + "Изменить расположение" + ], + "Change product": [ + "Изменить продукт" + ], + "Change selection": [ + "Изменить выбор" + ], + "Change the root password": [ + "Изменить пароль root" + ], + "Channel ID": [ + "Идентификатор канала" + ], + "Check the planned action": [ + "Проверить %d запланированное действие", + "Проверить %d запланированных действия", + "Проверить %d запланированных действий" + ], + "Choose a disk for placing the boot loader": [ + "Выберите диск для размещения загрузчика" + ], + "Clear": [ + "Очистить" + ], + "Close": [ + "Закрыть" + ], + "Configuring the product, please wait ...": [ + "Настройка продукта, пожалуйста, подождите..." + ], + "Confirm": [ + "Подтвердить" + ], + "Confirm Installation": [ + "Подтвердить установку" + ], + "Congratulations!": [ + "Поздравляем!" + ], + "Connect": [ + "Подключиться" + ], + "Connect to a Wi-Fi network": [ + "Подключиться к сети Wi-Fi" + ], + "Connect to hidden network": [ + "Подключиться к скрытой сети" + ], + "Connect to iSCSI targets": [ + "Подключение к объектам iSCSI" + ], + "Connected": [ + "Подключено" + ], + "Connected (%s)": [ + "Подключено (%s)" + ], + "Connecting": [ + "Подключение" + ], + "Connection actions": [ + "Действия подключения" + ], + "Continue": [ + "Продолжить" + ], + "Controllers": [ + "" + ], + "Could not authenticate against the server, please check it.": [ + "Не удалось пройти аутентификацию на сервере, пожалуйста, проверьте его." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Не удалось войти в систему. Пожалуйста, убедитесь, что пароль введен правильно." + ], + "Create a dedicated LVM volume group": [ + "Создать выделенную группу томов LVM" + ], + "Create a new partition": [ + "Создать новый раздел" + ], + "Create user": [ + "Создать пользователя" + ], + "Custom": [ + "По-своему" + ], + "DASD %s": [ + "DASD %s" + ], + "DIAG": [ + "Режим DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Деактивировать" + ], + "Deactivated": [ + "Деактивировано" + ], + "Define a user now": [ + "Определить пользователя" + ], + "Delete": [ + "Удалить" + ], + "Delete current content": [ + "Удалить текущее содержимое" + ], + "Destructive actions are allowed": [ + "Разрушительные действия разрешены" + ], + "Destructive actions are not allowed": [ + "Разрушительные действия запрещены" + ], + "Details": [ + "Подробности" + ], + "Device": [ + "Устройство" + ], + "Device selector for new LVM volume group": [ + "Выбор устройств для новой группы томов LVM" + ], + "Device selector for target disk": [ + "Выбор устройств для целевого диска" + ], + "Devices: %s": [ + "Устройства: %s" + ], + "Discard": [ + "Отказаться" + ], + "Disconnect": [ + "Отключить" + ], + "Disconnected": [ + "Отключено" + ], + "Discover": [ + "Обнаружить" + ], + "Discover iSCSI Targets": [ + "Знакомство с целевыми устройствами iSCSI" + ], + "Discover iSCSI targets": [ + "Обнаружение целей iSCSI" + ], + "Disk": [ + "Диск" + ], + "Disks": [ + "Диски" + ], + "Do not configure": [ + "Не настраивать" + ], + "Do not configure partitions for booting": [ + "Не настраивать разделы для загрузки" + ], + "Do you want to add it?": [ + "Вы хотите добавить её?" + ], + "Do you want to edit it?": [ + "Вы хотите изменить её?" + ], + "Download logs": [ + "Скачать журналы" + ], + "Edit": [ + "Изменить" + ], + "Edit %s": [ + "Изменить %s" + ], + "Edit %s file system": [ + "Изменить файловую систему %s" + ], + "Edit connection %s": [ + "Отредактировать соединение %s" + ], + "Edit file system": [ + "Изменить файловую систему" + ], + "Edit iSCSI Initiator": [ + "Изменить инициатор iSCSI" + ], + "Edit password too": [ + "Также изменить пароль" + ], + "Edit the SSH Public Key for root": [ + "Изменить публичный ключ SSH для root" + ], + "Edit user": [ + "Изменить пользователя" + ], + "Enable": [ + "Включить" + ], + "Encrypt the system": [ + "Зашифровать систему" + ], + "Encrypted Device": [ + "Зашифрованное устройство" + ], + "Encryption": [ + "Шифрование" + ], + "Encryption Password": [ + "Пароль шифрования" + ], + "Exact size": [ + "Точный размер" + ], + "Exact size for the file system.": [ + "Точный размер файловой системы." + ], + "File system type": [ + "Тип файловой системы" + ], + "File systems created as new partitions at %s": [ + "Файловые системы созданы как новые разделы на %s" + ], + "File systems created at a new LVM volume group": [ + "Файловые системы созданы в новой группе томов LVM" + ], + "File systems created at a new LVM volume group on %s": [ + "Файловые системы созданы в новой группе томов LVM на %s" + ], + "Filter by description or keymap code": [ + "Фильтр по описанию или коду карты клавиш" + ], + "Filter by language, territory or locale code": [ + "Фильтр по языку, территории или коду локали" + ], + "Filter by max channel": [ + "Фильтр по максимальному каналу" + ], + "Filter by min channel": [ + "Фильтр по минимальному каналу" + ], + "Filter by pattern title or description": [ + "Фильтр по названию или описанию шаблона" + ], + "Filter by territory, time zone code or UTC offset": [ + "Фильтр по территории, коду часового пояса или смещению UTC" + ], + "Final layout": [ + "Окончательный вариант" + ], + "Finish": [ + "Завершить" + ], + "Finished": [ + "Завершено" + ], + "First user": [ + "Первый пользователь" + ], + "Fixed": [ + "Фиксированный" + ], + "Forget": [ + "Забыть" + ], + "Forget connection %s": [ + "Забыть соединение %s" + ], + "Format": [ + "Формат" + ], + "Format the device": [ + "Отформатировать устройство" + ], + "Formatted": [ + "Отформатированный" + ], + "Formatting DASD devices": [ + "Форматирование устройств DASD" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Полнодисковое шифрование (FDE) позволяет защитить информацию, хранящуюся на устройстве, включая данные, программы и системные файлы." + ], + "Full name": [ + "Полное имя" + ], + "Gateway": [ + "Шлюз" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Шлюз можно указать только в ручном режиме" + ], + "GiB": [ + "ГиБ" + ], + "Hide %d subvolume action": [ + "Скрыть %d действие подтома", + "Скрыть %d действия подтома", + "Скрыть %d действий подтома" + ], + "Hide details": [ + "Скрыть подробности" + ], + "IP Address": [ + "IP-адрес" + ], + "IP address": [ + "IP-адрес" + ], + "IP addresses": [ + "IP-адреса" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Если для запуска этой программы установки использовался локальный носитель, извлеките его перед следующей загрузкой." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Если вы продолжите, разделы на вашем жестком диске будут изменены в соответствии с заданными настройками установки." + ], + "In progress": [ + "В процессе" + ], + "Incorrect IP address": [ + "Некорректный IP-адрес" + ], + "Incorrect password": [ + "Некорректный пароль" + ], + "Incorrect port": [ + "Некорректный порт" + ], + "Incorrect user name": [ + "Некорректное имя пользователя" + ], + "Initiator": [ + "Инициатор" + ], + "Initiator name": [ + "Имя инициатора" + ], + "Install": [ + "Установить" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Установка в новую группу томов Logical Volume Manager (LVM) с удалением всего содержимого базовых устройств" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Установка в новую группу томов Logical Volume Manager (LVM) на %s, удалив все её содержимое" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Установка в новую группу томов Logical Volume Manager (LVM) на %s, уменьшив существующие разделы по мере необходимости" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Установка в новую группу томов Logical Volume Manager (LVM) на %s с использованием пользовательской стратегии для поиска необходимого пространства" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Установка в новую группу томов Logical Volume Manager (LVM) на %s без изменения существующих разделов" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Установите новую группу томов Logical Volume Manager (LVM), уменьшив при необходимости существующие разделы на базовых устройствах" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Установка в новую группу томов Logical Volume Manager (LVM) с использованием пользовательской стратегии для поиска необходимого пространства на базовых устройствах" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Установка в новую группу томов Logical Volume Manager (LVM) без изменения разделов на базовых устройствах" + ], + "Install new system on": [ + "Установить новую систему на" + ], + "Install using device %s and deleting all its content": [ + "Установить с использованием устройства %s и удалить все его содержимое" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Установка с использованием устройства %s с уменьшением существующих разделов по мере необходимости" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Установка с использованием устройства %s с помощью пользовательской стратегии поиска необходимого пространства" + ], + "Install using device %s without modifying existing partitions": [ + "Установка с использованием устройства %s без изменения существующих разделов" + ], + "Installation device": [ + "Устройство для установки" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "" + ], + "Installation will configure partitions for booting at %s.": [ + "Установка настроит разделы для загрузки по адресу %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Установка настроит разделы для загрузки с установочного диска." + ], + "Installation will not configure partitions for booting.": [ + "Установка не будет настраивать разделы для загрузки." + ], + "Installation will take %s.": [ + "Установка займёт %s." + ], + "Installer options": [ + "Параметры установщика" + ], + "Interface": [ + "Интерфейс" + ], + "Keyboard": [ + "Клавиатура" + ], + "Keyboard layout": [ + "Раскладка клавиатуры" + ], + "Keyboard selection": [ + "Выбор клавиатуры" + ], + "KiB": [ + "КиБ" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Язык" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Ограничения на размер файловой системы. Конечный размер будет равен значению между заданным минимумом и максимумом. Если максимальное значение не задано, то файловая система будет такой большой, на сколько это возможно." + ], + "Loading data...": [ + "Загрузка данных..." + ], + "Loading installation environment, please wait.": [ + "Загрузка установочной среды, пожалуйста, подождите." + ], + "Locale selection": [ + "Выбор локали" + ], + "Localization": [ + "Локализация" + ], + "Location": [ + "Расположение" + ], + "Location for %s file system": [ + "Расположение файловой системы %s" + ], + "Log in": [ + "Вход" + ], + "Log in as %s": [ + "Вход как %s" + ], + "Logical volume at system LVM": [ + "Логический том в системе LVM" + ], + "Login": [ + "Вход" + ], + "Login %s": [ + "Логин %s" + ], + "Login form": [ + "Форма входа" + ], + "Logout": [ + "Выход" + ], + "Main disk or LVM Volume Group for installation.": [ + "Основной диск или группа томов LVM для установки." + ], + "Main navigation": [ + "" + ], + "Make sure you provide the correct values": [ + "Убедитесь, что вы указали правильные значения" + ], + "Manage and format": [ + "Управление и форматирование" + ], + "Manual": [ + "Вручную" + ], + "Maximum": [ + "Максимум" + ], + "Maximum desired size": [ + "Максимальный желаемый размер" + ], + "Maximum must be greater than minimum": [ + "Максимум должен быть больше минимума" + ], + "Members: %s": [ + "Участники: %s" + ], + "Method": [ + "Метод" + ], + "MiB": [ + "МиБ" + ], + "Minimum": [ + "Минимум" + ], + "Minimum desired size": [ + "Минимальный желаемый размер" + ], + "Minimum size is required": [ + "Требуется минимальный размер" + ], + "Mode": [ + "Режим" + ], + "Modify": [ + "Изменить" + ], + "More info for file system types": [ + "Дополнительная информация о типах файловых систем" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Установить %1$s в %2$s (%3$s)" + ], + "Mount Point": [ + "Точка монтирования" + ], + "Mount point": [ + "Точка монтирования" + ], + "Mount the file system": [ + "Смонтировать файловую систему" + ], + "Multipath": [ + "Многопутевое" + ], + "Name": [ + "Имя" + ], + "Network": [ + "Сеть" + ], + "New": [ + "Новый" + ], + "No": [ + "Нет" + ], + "No Wi-Fi supported": [ + "Нет поддержки Wi-Fi" + ], + "No additional software was selected.": [ + "Никакого дополнительного программного обеспечения выбрано не было." + ], + "No connected yet": [ + "Ещё не подключено" + ], + "No content found": [ + "Содержимое не найдено" + ], + "No device selected yet": [ + "Устройство ещё не выбрано" + ], + "No iSCSI targets found.": [ + "Цели iSCSI не найдены." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Ни один раздел не будет автоматически настроен для загрузки. Используйте с осторожностью." + ], + "No root authentication method defined yet.": [ + "Метод корневой аутентификации пока не определен." + ], + "No user defined yet.": [ + "Пользователь еще не определен." + ], + "No wired connections found": [ + "Проводные соединения не обнаружены" + ], + "No zFCP controllers found.": [ + "Контроллеры zFCP не найдены." + ], + "No zFCP disks found.": [ + "Диски zFCP не найдены." + ], + "None": [ + "Отсутствует" + ], + "None of the keymaps match the filter.": [ + "Ни одна из карт не соответствует фильтру." + ], + "None of the locales match the filter.": [ + "Ни одна из локалей не соответствует фильтру." + ], + "None of the patterns match the filter.": [ + "Ни один из шаблонов не соответствует фильтру." + ], + "None of the time zones match the filter.": [ + "Ни один из часовых поясов не соответствует фильтру." + ], + "Not selected yet": [ + "Ещё не выбрано" + ], + "Not set": [ + "Не установлен" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "" + ], + "Offload card": [ + "Разгрузочная карта" + ], + "On boot": [ + "При загрузке" + ], + "Only available if authentication by target is provided": [ + "Доступно только при условии аутентификации по цели" + ], + "Other": [ + "Другая" + ], + "Overview": [ + "Обзор" + ], + "Partition Info": [ + "Информация о разделе" + ], + "Partition at %s": [ + "Раздел на %s" + ], + "Partition at installation disk": [ + "Раздел на диске для установки" + ], + "Partitions and file systems": [ + "Разделы и файловые системы" + ], + "Partitions to boot will be allocated at the following device.": [ + "Загрузочные разделы будут выделены на следующем устройстве." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Загрузочные разделы будут выделены на установочном диске (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Загрузочные разделы будут выделены на установочном диске." + ], + "Password": [ + "Пароль" + ], + "Password Required": [ + "Необходим пароль" + ], + "Password confirmation": [ + "Подтверждение пароля" + ], + "Password input": [ + "Ввод пароля" + ], + "Password visibility button": [ + "Кнопка отображения пароля" + ], + "Passwords do not match": [ + "Пароли не совпадают" + ], + "Pending": [ + "Ожидается" + ], + "Perform an action": [ + "Выполнить действие" + ], + "PiB": [ + "ПиБ" + ], + "Planned Actions": [ + "Планируемые действия" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Обратите внимание, что перед установкой системы необходимо определить пользователя, чтобы он мог войти в систему." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Пожалуйста, отмените и проверьте настройки, если вы не уверены." + ], + "Please, check whether it is running.": [ + "Пожалуйста, проверьте, запущен ли он." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Пожалуйста, определите хотя бы один метод аутентификации для входа в систему с правами root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Выполните обнаружение iSCSI, чтобы найти доступные цели iSCSI." + ], + "Please, provide its password to log in to the system.": [ + "Пожалуйста, укажите его пароль для входа в систему." + ], + "Please, review provided settings and try again.": [ + "Пожалуйста, проверьте предоставленные настройки и попробуйте ещё раз." + ], + "Please, try to activate a zFCP controller.": [ + "Пожалуйста, попробуйте активировать контроллер zFCP." + ], + "Please, try to activate a zFCP disk.": [ + "Пожалуйста, попробуйте активировать диск zFCP." + ], + "Port": [ + "Порт" + ], + "Portal": [ + "Портал" + ], + "Prefix length or netmask": [ + "Длина префикса или маска сети" + ], + "Prepare more devices by configuring advanced": [ + "Подготовьте больше устройств, настроив расширенные" + ], + "Presence of other volumes (%s)": [ + "Наличие других томов (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Защита информации, хранящейся на устройстве, включая данные, программы и системные файлы." + ], + "Question": [ + "Вопрос" + ], + "Range": [ + "Диапазон" + ], + "Read zFCP devices": [ + "Прочитать устройства zFCP" + ], + "Reboot": [ + "Перезагрузка" + ], + "Reload": [ + "Обновить" + ], + "Remove": [ + "Удалить" + ], + "Remove max channel filter": [ + "Удалить фильтр по максимальному каналу" + ], + "Remove min channel filter": [ + "Удалить фильтр по минимальному каналу" + ], + "Reset location": [ + "Сбросить расположение" + ], + "Reset to defaults": [ + "Сбросить по умолчанию" + ], + "Reused %s": [ + "Повторно используется %s" + ], + "Root SSH public key": [ + "Публичный ключ SSH для root" + ], + "Root authentication": [ + "Аутентификация root" + ], + "Root password": [ + "Пароль root" + ], + "SD Card": [ + "SD-карта" + ], + "SSH Key": [ + "Ключ SSH" + ], + "SSID": [ + "Имя сети" + ], + "Search": [ + "Поиск" + ], + "Security": [ + "Защита" + ], + "See more details": [ + "См. подробнее" + ], + "Select": [ + "Выбор" + ], + "Select a disk": [ + "Выберите диск" + ], + "Select a location": [ + "Выберите расположение" + ], + "Select booting partition": [ + "Выберите загрузочный раздел" + ], + "Select how to allocate the file system": [ + "Выберите способ выделения файловой системы" + ], + "Select in which device to allocate the file system": [ + "Выберите, на каком устройстве разместить файловую систему" + ], + "Select installation device": [ + "Выберите устройство для установки" + ], + "Select what to do with each partition.": [ + "Выберите, что делать с каждым разделом." + ], + "Selected patterns": [ + "Выбранные шаблоны" + ], + "Separate LVM at %s": [ + "Отдельный LVM на %s" + ], + "Server IP": [ + "IP сервера" + ], + "Set": [ + "Установить" + ], + "Set DIAG Off": [ + "Отключить DIAG" + ], + "Set DIAG On": [ + "Включить DIAG" + ], + "Set a password": [ + "Установить пароль" + ], + "Set a root password": [ + "Установить пароль root" + ], + "Set root SSH public key": [ + "Установить публичный ключ SSH для root" + ], + "Show %d subvolume action": [ + "Показать %d действие подтома", + "Показать %d действия подтома", + "Показать %d действий подтома" + ], + "Show information about %s": [ + "Показать сведения о %s" + ], + "Show partitions and file-systems actions": [ + "Показать разделы и действия с файловыми системами" + ], + "Shrink existing partitions": [ + "Уменьшение существующих разделов" + ], + "Shrinking partitions is allowed": [ + "Сокращение разделов разрешено" + ], + "Shrinking partitions is not allowed": [ + "Сокращение разделов запрещено" + ], + "Shrinking some partitions is allowed but not needed": [ + "Сокращение некоторых разделов разрешено, но не нужно" + ], + "Size": [ + "Размер" + ], + "Size unit": [ + "Единица измерения" + ], + "Software": [ + "Программы" + ], + "Software %s": [ + "Программное обеспечение %s" + ], + "Software selection": [ + "Выбор программного обеспечения" + ], + "Something went wrong": [ + "Что-то пошло не так" + ], + "Space policy": [ + "Политика пространства" + ], + "Startup": [ + "Запуск" + ], + "Status": [ + "Состояние" + ], + "Storage": [ + "Хранилище" + ], + "Storage proposal not possible": [ + "Не могу предложить организацию хранилища" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Структура новой системы, включая все дополнительные разделы, необходимые для загрузки" + ], + "Swap at %1$s (%2$s)": [ + "Подкачка на %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Раздел подкачки (%s)" + ], + "Swap volume (%s)": [ + "Том для подкачки (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "Запечатывание TPM требует прямой загрузки новой системы." + ], + "Table with mount points": [ + "Таблица с точками монтирования" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Проверьте свои настройки до начала процесса установки." + ], + "Target Password": [ + "Пароль цели" + ], + "Targets": [ + "Цели" + ], + "The amount of RAM in the system": [ + "Объем ОЗУ в системе" + ], + "The configuration of snapshots": [ + "Конфигурация моментальных снимков" + ], + "The content may be deleted": [ + "Содержимое может быть удалено" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Текущая файловая система на %s выбрана для монтирования в %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Текущая файловая система на выбранном устройстве будет смонтирована без форматирования устройства." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Данные сохраняются, но размер текущих разделов будет изменен по мере необходимости." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Данные сохраняются. Будет использовано только пространство, не отведенное для какого-либо раздела." + ], + "The device cannot be shrunk:": [ + "Устройство не может быть сокращено:" + ], + "The file system is allocated at the device %s.": [ + "Файловая система выделена на устройстве %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "Файловая система будет выделена в качестве нового раздела на выбранном диске." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "По умолчанию файловые системы распределяются на устройстве установки. Укажите пользовательское расположение, чтобы создать файловую систему на конкретном устройстве." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Файловые системы по умолчанию будут выделены как [логические тома новой группы томов LVM]. Соответствующие физические тома будут создаваться по требованию как новые разделы на выбранных устройствах." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Файловые системы будут выделены по умолчанию как [новые разделы на выбранном устройстве]." + ], + "The final size depends on %s.": [ + "Итоговый размер зависит от %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Последний шаг по настройке Доверенного платформенного модуля (TPM) на автоматическое открытие зашифрованных устройств будет выполнен во время первой загрузки новой системы. Чтобы это сработало, машина должна загрузиться непосредственно в новый загрузчик." + ], + "The following software patterns are selected for installation:": [ + "Для установки выбраны следующие образцы программного обеспечения:" + ], + "The installation on your machine is complete.": [ + "Установка на ваш компьютер завершена." + ], + "The installation will take": [ + "Установка займёт" + ], + "The installation will take %s including:": [ + "Установка займёт %s, в том числе:" + ], + "The installer requires [root] user privileges.": [ + "Программа установки требует привилегий пользователя [root]." + ], + "The mount point is invalid": [ + "Точка монтирования недопустима" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Параметры типа файловой системы зависят от продукта и точки монтирования." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Пароль не понадобится для загрузки и доступа к данным, если TPM может проверить целостность системы. Запечатывание TPM требует непосредственной загрузки новой системы при первом запуске." + ], + "The selected device will be formatted as %s file system.": [ + "Выбранное устройство будет отформатировано в файловую систему %s." + ], + "The size of the file system cannot be edited": [ + "Размер файловой системы не может быть изменен" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Система не поддерживает соединение по WiFi, вероятно, из-за отсутствующего или отключённого оборудования." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Система ещё не настроена на подключение к сети Wi-Fi." + ], + "The system will use %s as its default language.": [ + "Система будет использовать %s в качестве языка по умолчанию." + ], + "The systems will be configured as displayed below.": [ + "Системы будут настроены, как показано ниже." + ], + "The type and size of the file system cannot be edited.": [ + "Тип и размер файловой системы редактировать нельзя." + ], + "The zFCP disk was not activated.": [ + "Диск zFCP не был активирован." + ], + "There is a predefined file system for %s.": [ + "Существует предопределенная файловая система для %s." + ], + "There is already a file system for %s.": [ + "Для %s уже существует файловая система." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Это наиболее актуальные настройки установки. Более подробные сведения приведены в разделах меню." + ], + "These limits are affected by:": [ + "На эти ограничения влияют:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Данный продукт не позволяет выбирать шаблоны программного обеспечения во время установки. Однако Вы можете добавить дополнительное программное обеспечение после завершения установки." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Это пространство включает в себя базовую систему и выбранные шаблоны программного обеспечения, если таковые имеются." + ], + "TiB": [ + "ТиБ" + ], + "Time zone": [ + "Часовой пояс" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Чтобы обеспечить загрузку новой системы, программе установки может потребоваться создать или настроить некоторые разделы на соответствующем диске." + ], + "Transactional Btrfs": [ + "Транзакционная Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "Корневой раздел Btrfs с транзакциями (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Корневой том Btrfs с транзакциями (%s)" + ], + "Transactional root file system": [ + "Транзакционная корневая файловая система" + ], + "Type": [ + "Тип" + ], + "Unit for the maximum size": [ + "Единица для максимального размера" + ], + "Unit for the minimum size": [ + "Единица для минимального размера" + ], + "Unused space": [ + "Неиспользуемое пространство" + ], + "Up to %s can be recovered by shrinking the device.": [ + "До %s можно освободить, сократив устройство." + ], + "Upload": [ + "Загрузить" + ], + "Upload a SSH Public Key": [ + "Загрузить публичный ключ SSH" + ], + "Upload, paste, or drop an SSH public key": [ + "Загрузите, вставьте или сбросьте публичный ключ SSH" + ], + "Usage": [ + "Использование" + ], + "Use Btrfs snapshots for the root file system": [ + "Используйте моментальные снимки Btrfs для корневой файловой системы" + ], + "Use available space": [ + "Использовать свободное пространство" + ], + "Use suggested username": [ + "Используйте предложенное имя пользователя" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Используйте Доверенный платформенный модуль (TPM) для автоматического дешифрования при каждой загрузке" + ], + "User full name": [ + "Полное имя пользователя" + ], + "User name": [ + "Имя пользователя" + ], + "Username": [ + "Имя пользователя" + ], + "Username suggestion dropdown": [ + "Выпадающий список с предложением имени пользователя" + ], + "Users": [ + "Пользователи" + ], + "WPA & WPA2 Personal": [ + "WPA и WPA2 Personal" + ], + "WPA Password": [ + "Пароль WPA" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Ожидание" + ], + "Waiting for actions information...": [ + "Ожидание информации о действиях..." + ], + "Waiting for information about storage configuration": [ + "Ожидание информации о конфигурации хранилища" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "Wired": [ + "Проводное" + ], + "Wires: %s": [ + "Проводки: %s" + ], + "Yes": [ + "Да" + ], + "ZFCP": [ + "" + ], + "affecting": [ + "влияя на" + ], + "at least %s": [ + "не менее %s" + ], + "auto": [ + "автоматически" + ], + "auto selected": [ + "автоматический выбор" + ], + "configured": [ + "настроено" + ], + "deleting current content": [ + "удаление текущего содержимого" + ], + "disabled": [ + "отключено" + ], + "enabled": [ + "включено" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "уменьшение разделов" + ], + "storage techs": [ + "технологии хранения" + ], + "the amount of RAM in the system": [ + "объем ОЗУ в системе" + ], + "the configuration of snapshots": [ + "конфигурация моментальных снимков" + ], + "the presence of the file system for %s": [ + "наличие файловой системы для %s" + ], + "user autologin": [ + "автоматический вход пользователя" + ], + "using TPM unlocking": [ + "используя разблокировку TPM" + ], + "with custom actions": [ + "другими способами" + ], + "without modifying any partition": [ + "не изменяя ни одного раздела" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "" + ], + "zFCP Disk activation form": [ + "" + ] +}; diff --git a/web/src/po/po.sv.js b/web/src/po/po.sv.js new file mode 100644 index 0000000000..3cfc574980 --- /dev/null +++ b/web/src/po/po.sv.js @@ -0,0 +1,1480 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "sv" + }, + " Timezone selection": [ + " Tidszon val" + ], + " and ": [ + " och " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s på %3$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s partition (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s volym (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s root på %2$s (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s root partition (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s root volym (%2$s)" + ], + "%d partition will be shrunk": [ + "%d partition kommer att krympa", + "%d partitioner kommer att krympas" + ], + "%s disk": [ + "%s disk" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s är ett oföränderligt system med atomära uppdateringar. Det använder ett skrivskyddat Btrfs filsystem som uppdateras via ögonblicksavbilder." + ], + "%s logo": [ + "%s logotyp" + ], + "%s with %d partitions": [ + "%s med %d partitioner" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "En monteringspunkt krävs" + ], + "A new LVM Volume Group": [ + "En ny LVM volymgrupp" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "En ny volymgrupp kommer att tilldelas på den valda disken och filsystemet kommer att skapas som en logisk volym." + ], + "A size value is required": [ + "Ett storleksvärde krävs" + ], + "Accept": [ + "Acceptera" + ], + "Action": [ + "Åtgärd" + ], + "Actions": [ + "Åtgärder" + ], + "Actions for connection %s": [ + "Åtgärder för anslutning %s" + ], + "Actions to find space": [ + "Åtgärder för att hitta utrymme" + ], + "Activate": [ + "Aktivera" + ], + "Activate disks": [ + "Aktivera diskar" + ], + "Activate new disk": [ + "Aktivera ny disk" + ], + "Activate zFCP disk": [ + "Aktivera en zFCP-disk" + ], + "Activated": [ + "Aktiverad" + ], + "Add %s file system": [ + "Lägg %s filsystem" + ], + "Add DNS": [ + "Lägg till DNS" + ], + "Add a SSH Public Key for root": [ + "Lägg till en publik SSH nyckel för root" + ], + "Add an address": [ + "Lägg till en adress" + ], + "Add another DNS": [ + "Lägg till en annan DNS" + ], + "Add another address": [ + "Lägg till en annan adress" + ], + "Add file system": [ + "Lägg till filsystem" + ], + "Address": [ + "Adresser" + ], + "Addresses": [ + "Adresser" + ], + "Addresses data list": [ + "Adresser data lista" + ], + "All fields are required": [ + "Alla fält krävs" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Alla partitioner kommer att tas bort och all data på diskarna kommer att gå förlorad." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Tillåter att starta upp till en tidigare version av systemet efter konfigurationsändringar eller programvaruuppgraderingar." + ], + "Already set": [ + "Redan inställt" + ], + "An existing disk": [ + "En existerande disk" + ], + "At least one address must be provided for selected mode": [ + "Minst en adress måste tillhandahållas för valt läge" + ], + "At this point you can power off the machine.": [ + "Vid det här laget kan du stänga av maskinen." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Vid det här laget kan du starta om maskinen för att logga in till det nya systemet." + ], + "Authentication by initiator": [ + "Autentisering av initiativtagare" + ], + "Authentication by target": [ + "Autentisering av mål" + ], + "Authentication failed, please try again": [ + "Autentiseringen misslyckades, försök igen" + ], + "Auto": [ + "Auto" + ], + "Auto LUNs Scan": [ + "Automatisk LUN-skanning" + ], + "Auto-login": [ + "Automatisk-inloggning" + ], + "Automatic": [ + "Automatisk" + ], + "Automatic (DHCP)": [ + "Automatisk (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "Automatisk LUN-skanning är [avaktiverad]. LUN kommer att behöva vara manuellt konfigurerat efter aktivering av en styrenhet." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "Automatisk LUN-skanning är [aktiverad]. Aktiverar en styrenhet som är körande i NPIV läge kommer att automatiskt konfigurera alla dess LUN." + ], + "Automatically calculated size according to the selected product.": [ + "Automatiskt beräknad storlek enligt vald produkt." + ], + "Available products": [ + "Tillgängliga produkter" + ], + "Back": [ + "Bakåt" + ], + "Back to device selection": [ + "Tillbaka till val av enhet" + ], + "Before %s": [ + "Före %s" + ], + "Before installing, please check the following problems.": [ + "Innan du installerar, vänligen kontrollera följande problem." + ], + "Before starting the installation, you need to address the following problems:": [ + "Innan du startar installationen måste du åtgärda följande problem:" + ], + "Boot partitions at %s": [ + "Uppstartspartitioner på %s" + ], + "Boot partitions at installation disk": [ + "Uppstartspartitioner på installationsdisk" + ], + "Btrfs root partition with snapshots (%s)": [ + "Btrfs root partition med ögonblicksavbilder (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "Btrfs root volym med ögonblicksavbilder (%s)" + ], + "Btrfs with snapshots": [ + "Btrfs med ögonblicksavbilder" + ], + "Cancel": [ + "Avbryt" + ], + "Cannot accommodate the required file systems for installation": [ + "Kan inte ta emot de filsystem som krävs för installation" + ], + "Cannot be changed in remote installation": [ + "Kan inte ändras i fjärrinstallation" + ], + "Cannot connect to Agama server": [ + "Kan inte ansluta till Agama server" + ], + "Cannot format all selected devices": [ + "Kan inte formatera alla valda enheter" + ], + "Change": [ + "Ändra" + ], + "Change boot options": [ + "Ändra uppstartsalternativ" + ], + "Change location": [ + "Ändra plats" + ], + "Change product": [ + "Ändra produkt" + ], + "Change selection": [ + "Ändra val" + ], + "Change the root password": [ + "Ändra root lösenordet" + ], + "Channel ID": [ + "Kanal-ID" + ], + "Check the planned action": [ + "Kontrollera den planerade åtgärden", + "Kontrollera de %d planerade åtgärderna" + ], + "Choose a disk for placing the boot loader": [ + "Välj en disk för att placera uppstartsladdaren" + ], + "Clear": [ + "Rensa" + ], + "Close": [ + "Stäng" + ], + "Configuring the product, please wait ...": [ + "Konfigurerar produkten, vänta..." + ], + "Confirm": [ + "Bekräfta" + ], + "Confirm Installation": [ + "Bekräfta Installation" + ], + "Congratulations!": [ + "Grattis!" + ], + "Connect": [ + "Anslut" + ], + "Connect to a Wi-Fi network": [ + "Anslut till ett Wi-Fi nätverk" + ], + "Connect to hidden network": [ + "Anslut till ett dolt nätverk" + ], + "Connect to iSCSI targets": [ + "Anslut till iSCSI mål" + ], + "Connected": [ + "Ansluten" + ], + "Connected (%s)": [ + "Ansluten (%s)" + ], + "Connected to %s": [ + "Ansluten till %s" + ], + "Connecting": [ + "Ansluter" + ], + "Connection actions": [ + "Anslutningsåtgärder" + ], + "Continue": [ + "Fortsätt" + ], + "Controllers": [ + "Styrenheter" + ], + "Could not authenticate against the server, please check it.": [ + "Kunde inte autentisera mot servern, vänligen kontrollera det." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Kunde inte logga in. Kontrollera att lösenordet är korrekt." + ], + "Create a dedicated LVM volume group": [ + "Skapa en dedikerad LVM volymgrupp" + ], + "Create a new partition": [ + "Skapa en ny partition" + ], + "Create user": [ + "Skapa användare" + ], + "Custom": [ + "Anpassad" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "DASD-enhetsvalstabell" + ], + "DASDs table section": [ + "DASDs tabellsektion" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Inaktivera" + ], + "Deactivated": [ + "Inaktiverad" + ], + "Define a user now": [ + "Definera en användare nu" + ], + "Delete": [ + "Ta bort" + ], + "Delete current content": [ + "Radera nuvarande innehåll" + ], + "Destructive actions are allowed": [ + "Destruktiv åtgärder är tillåtna" + ], + "Destructive actions are not allowed": [ + "Destruktiv åtgärder är inte tillåtna" + ], + "Details": [ + "Detaljer" + ], + "Device": [ + "Enhet" + ], + "Device selector for new LVM volume group": [ + "Enhetsväljare för ny LVM volymgrupp" + ], + "Device selector for target disk": [ + "Enhetsväljare för måldisk" + ], + "Devices: %s": [ + "Enheter: %s" + ], + "Discard": [ + "Kasta bort" + ], + "Disconnect": [ + "Koppla ifrån" + ], + "Disconnected": [ + "Frånkopplad" + ], + "Discover": [ + "Upptäck" + ], + "Discover iSCSI Targets": [ + "Upptäck iSCSI mål" + ], + "Discover iSCSI targets": [ + "Upptäck iSCSI-mål" + ], + "Disk": [ + "Disk" + ], + "Disks": [ + "Diskar" + ], + "Do not configure": [ + "Konfigurera inte" + ], + "Do not configure partitions for booting": [ + "Konfigurera inte partitioner för uppstart" + ], + "Do you want to add it?": [ + "Vill du lägga till det?" + ], + "Do you want to edit it?": [ + "Vill du redigera det?" + ], + "Download logs": [ + "Ladda ner loggar" + ], + "Edit": [ + "Redigera" + ], + "Edit %s": [ + "Redigera %s" + ], + "Edit %s file system": [ + "Redigera %s filsystem" + ], + "Edit connection %s": [ + "Redigera anslutning %s" + ], + "Edit file system": [ + "Redigera filsystem" + ], + "Edit iSCSI Initiator": [ + "Redigera iSCSI initiativtagare" + ], + "Edit password too": [ + "Redigera lösenord också" + ], + "Edit the SSH Public Key for root": [ + "Redigera den publika SSH nyckeln för root" + ], + "Edit user": [ + "Redigera användare" + ], + "Enable": [ + "Aktivera" + ], + "Encrypt the system": [ + "Kryptera systemet" + ], + "Encrypted Device": [ + "Krypterad enhet" + ], + "Encryption": [ + "Kryptering" + ], + "Encryption Password": [ + "Krypteringslösenord" + ], + "Exact size": [ + "Exakt storlek" + ], + "Exact size for the file system.": [ + "Exakt storlek för filsystemet." + ], + "File system type": [ + "Filsystem typ" + ], + "File systems created as new partitions at %s": [ + "Filsystem skapade som nya partitioner på %s" + ], + "File systems created at a new LVM volume group": [ + "Filsystem skapade som en ny LVM-volymgrupp" + ], + "File systems created at a new LVM volume group on %s": [ + "Filsystem skapade som en ny LVM-volymgrupp på %s" + ], + "Filter by description or keymap code": [ + "Filtrera efter beskrivning eller tangentbordskod" + ], + "Filter by language, territory or locale code": [ + "Filtrera efter språk, territorium eller lokalkod" + ], + "Filter by max channel": [ + "Filtrera efter maximal kanal" + ], + "Filter by min channel": [ + "Filtrera efter minimum kanal" + ], + "Filter by pattern title or description": [ + "Filtrera efter mönstertitel eller beskrivning" + ], + "Filter by territory, time zone code or UTC offset": [ + "Filtrera efter område, tidszonskod eller UTC-förskjutning" + ], + "Final layout": [ + "Slutgiltig layout" + ], + "Finish": [ + "Slutför" + ], + "Finished": [ + "Slutförd" + ], + "First user": [ + "Första användare" + ], + "Fixed": [ + "Fast" + ], + "Forget": [ + "Glöm" + ], + "Forget connection %s": [ + "Glöm anslutning %s" + ], + "Format": [ + "Formatera" + ], + "Format selected devices?": [ + "Formatera valda enheter?" + ], + "Format the device": [ + "Formatera enheten" + ], + "Formatted": [ + "Formaterad" + ], + "Formatting DASD devices": [ + "Formaterar DASD-enheter" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Heldiskkryptering (FDE) gör det möjligt att skydda informationen som lagras på enheten, inklusive data, program och systemfiler." + ], + "Full name": [ + "Fullständigt namn" + ], + "Gateway": [ + "Gateway" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Gateway kan endast definieras i \"Manuellt\" läge" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "Dölj %d undervolym åtgärd", + "Dölj %d undervolymer åtgärder" + ], + "Hide details": [ + "Dölj detaljer" + ], + "IP Address": [ + "IP address" + ], + "IP address": [ + "IP address" + ], + "IP addresses": [ + "IP adresser" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Om ett lokalt media användes för att köra det här installationsprogrammet, ta bort det före nästa uppstart." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Om du fortsätter kommer partitionerna på din hårddisk att modifieras enligt de medföljande installationsinställningarna." + ], + "In progress": [ + "Pågår" + ], + "Incorrect IP address": [ + "Felaktig IP adress" + ], + "Incorrect password": [ + "Felaktigt lösenord" + ], + "Incorrect port": [ + "Felaktig port" + ], + "Incorrect user name": [ + "Felaktigt användarnamn" + ], + "Initiator": [ + "Initiativtagare" + ], + "Initiator name": [ + "Initiativtagarens namn" + ], + "Install": [ + "Installera" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp och radera allt innehåll i de underliggande enheterna" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp på %s tar bort allt innehåll" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp på %s krymper befintliga partitioner efter behov" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp på %s använd en anpassad strategi för att hitta det nödvändiga utrymmet" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp på %s utan att ändra befintliga partitioner" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp som krymper befintliga partitioner vid de underliggande enheterna efter behov" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp med hjälp av en anpassad strategi för att hitta det utrymme som behövs vid de underliggande enheterna" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Installera i en ny logisk volymhanterare (LVM) volymgrupp utan att ändra partitionerna på de underliggande enheterna" + ], + "Install new system on": [ + "Installera nytt system på" + ], + "Install using device %s and deleting all its content": [ + "Installerar på enhet %s och raderar allt innehåll" + ], + "Install using device %s shrinking existing partitions as needed": [ + "Installera på enhet %s som krymper befintliga partitioner efter behov" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Installera på enhet %s med en anpassad strategi för att hitta det utrymme som behövs" + ], + "Install using device %s without modifying existing partitions": [ + "Installera på enhet %s utan att ändra befintliga partitioner" + ], + "Installation blocking issues": [ + "Installationsblockerande problem" + ], + "Installation device": [ + "Installationsenhet" + ], + "Installation issues": [ + "Installationsproblem" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "Installationen är inte möjlig ännu på grund av problem. Kontrollera dem på översikt sidan." + ], + "Installation will configure partitions for booting at %s.": [ + "Installationen kommer att konfigurera partitioner för uppstart på %s." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Installationen kommer att konfigurera partitioner för uppstart på installationsdisken." + ], + "Installation will not configure partitions for booting.": [ + "Installationen kommer inte att konfigurera partitioner för uppstart." + ], + "Installation will take %s.": [ + "Installationen kommer att ta %s." + ], + "Installer Options": [ + "Installationsalternativ" + ], + "Installer options": [ + "Installationsalternativ" + ], + "Installing the system, please wait...": [ + "Installerar systemet, vänligen vänta ..." + ], + "Interface": [ + "Gränssnitt" + ], + "Ip prefix or netmask": [ + "IP prefix eller nätmask" + ], + "Keyboard": [ + "Tangentbord" + ], + "Keyboard layout": [ + "Tangentbordslayout" + ], + "Keyboard selection": [ + "Tangentbordsval" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Språk" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Gränser för filsystemets storlek. Den slutliga storleken kommer att vara ett värde mellan angivet minsta och maximal. Om inget maximalt anges kommer filsystemet att vara så stort som möjligt." + ], + "Loading data...": [ + "Laddar data..." + ], + "Loading installation environment, please wait.": [ + "Laddar installationsmiljö, vänligen vänta." + ], + "Locale selection": [ + "Lokal val" + ], + "Localization": [ + "Lokalisering" + ], + "Location": [ + "Plats" + ], + "Location for %s file system": [ + "Plats för %s filsystem" + ], + "Log in": [ + "Logga in" + ], + "Log in as %s": [ + "Logga in som %s" + ], + "Logical volume at system LVM": [ + "Logisk volym på system LVM" + ], + "Login": [ + "Logga in" + ], + "Login %s": [ + "Inloggning %s" + ], + "Login form": [ + "Inloggningsformulär" + ], + "Logout": [ + "Logga ut" + ], + "Main disk or LVM Volume Group for installation.": [ + "Huvuddisk eller LVM volymgrupp för installation." + ], + "Main navigation": [ + "Huvudnavigering" + ], + "Make sure you provide the correct values": [ + "Se till att du anger rätt värden" + ], + "Manage and format": [ + "Hantera och formatera" + ], + "Manual": [ + "Manuell" + ], + "Maximum": [ + "Maximal" + ], + "Maximum desired size": [ + "Maximal önskad storlek" + ], + "Maximum must be greater than minimum": [ + "Maximalt måste vara större än minimalt" + ], + "Members: %s": [ + "Medlemmar: %s" + ], + "Method": [ + "Metod" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "Minst" + ], + "Minimum desired size": [ + "Minsta önskade storlek" + ], + "Minimum size is required": [ + "Minsta storlek krävs" + ], + "Mode": [ + "Läge" + ], + "Modify": [ + "Modifera" + ], + "More info for file system types": [ + "Mer information om filsystemtyper" + ], + "Mount %1$s at %2$s (%3$s)": [ + "Montera %1$s på %2$s (%3$s)" + ], + "Mount Point": [ + "Monteringspunkt" + ], + "Mount point": [ + "Monteringspunkt" + ], + "Mount the file system": [ + "Montera filsystemet" + ], + "Multipath": [ + "Flervägs" + ], + "Name": [ + "Namn" + ], + "Network": [ + "Nätverk" + ], + "New": [ + "Ny" + ], + "No": [ + "Nej" + ], + "No Wi-Fi supported": [ + "Inget Wi-Fi stöds" + ], + "No additional software was selected.": [ + "Ingen ytterligare programvara valdes." + ], + "No connected yet": [ + "Inte ansluten ännu" + ], + "No content found": [ + "Inget innehåll hittades" + ], + "No device selected yet": [ + "Ingen enhet vald ännu" + ], + "No iSCSI targets found.": [ + "Inga iSCSI mål hittades." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Inga partitioner kommer att konfigureras automatiskt för uppstart. Använd med försiktighet." + ], + "No root authentication method defined yet.": [ + "Ingen rootautentiseringsmetod har definierats ännu." + ], + "No user defined yet.": [ + "Ingen användare definierad ännu." + ], + "No visible Wi-Fi networks found": [ + "Inga synliga WiFi nätverk hittades" + ], + "No wired connections found": [ + "Inga trådbundna anslutningar hittades" + ], + "No zFCP controllers found.": [ + "Inga zFCP-kontroller hittades." + ], + "No zFCP disks found.": [ + "Inga zFCP-diskar hittades." + ], + "None": [ + "Ingen" + ], + "None of the keymaps match the filter.": [ + "Ingen av tangentmapparna matchar filtret." + ], + "None of the locales match the filter.": [ + "Inget av lokalerna matchar filtret." + ], + "None of the patterns match the filter.": [ + "Inget av mönstren matchar filtret." + ], + "None of the time zones match the filter.": [ + "Inget av tidszonerna matchar filtret." + ], + "Not selected yet": [ + "Inte valt ännu" + ], + "Not set": [ + "Inte inställt" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Offlineenheter måste aktiveras innan de formateras. Vänligen avmarkera eller aktivera enheterna listade nedan och försök igen" + ], + "Offload card": [ + "Avlastningskort" + ], + "On boot": [ + "Vid uppstart" + ], + "Only available if authentication by target is provided": [ + "Endast tillgängligt om autentisering via mål tillhandahålls" + ], + "Options toggle": [ + "Växla mellan alternativ" + ], + "Other": [ + "Andra" + ], + "Overview": [ + "Översikt" + ], + "Partition Info": [ + "Partitionsinformation" + ], + "Partition at %s": [ + "Partition på %s" + ], + "Partition at installation disk": [ + "Partition på installationsdisk" + ], + "Partitions and file systems": [ + "Partitioner och filsystem" + ], + "Partitions to boot will be allocated at the following device.": [ + "Partitioner för att uppstart kommer att tilldelas på följande enhet." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Partitioner som ska startas upp kommer att tilldelas på installationsdisken (%s)." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Partitioner som ska startas upp kommer att tilldelas på installationsdisken." + ], + "Password": [ + "Lösenord" + ], + "Password Required": [ + "Lösenord krävs" + ], + "Password confirmation": [ + "Lösenordsbekräftelse" + ], + "Password input": [ + "Lösenordsinmatning" + ], + "Password visibility button": [ + "Knapp för lösenordssynlighet" + ], + "Passwords do not match": [ + "Lösenorden matchar inte" + ], + "Pending": [ + "Väntar" + ], + "Perform an action": [ + "Utför en åtgärd" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "Planerade åtgärder" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Snälla, var medveten om att en användare måste definieras innan du installerar systemet för att kunna logga in till det." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Vänligen, avbryt och kontrollera inställningarna om du är osäker." + ], + "Please, check whether it is running.": [ + "Vänligen kontrollera om den är igång." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Vänligen, definiera minst en autentiseringsmetod för att logga in i systemet som root." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Vänligen utför en iSCSI-upptäckt för att hitta tillgängliga iSCSI-mål." + ], + "Please, provide its password to log in to the system.": [ + "Vänligen ange lösenordet för att logga in på systemet." + ], + "Please, review provided settings and try again.": [ + "Granska de angivna inställningarna och försök igen." + ], + "Please, try to activate a zFCP controller.": [ + "Snälla, försök att aktivera en zFCP-kontroller." + ], + "Please, try to activate a zFCP disk.": [ + "Snälla, försök att aktivera en zFCP-disk." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Prefix längd eller nätmask" + ], + "Prepare more devices by configuring advanced": [ + "Förbered fler enheter genom att använda avancerad konfiguration" + ], + "Presence of other volumes (%s)": [ + "Närvaro av andra volymer (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Skydd för informationen som lagras på enheten, inklusive data, program och systemfiler." + ], + "Question": [ + "Fråga" + ], + "Range": [ + "Räckvidd" + ], + "Read zFCP devices": [ + "Läs zFCP-enheter" + ], + "Reboot": [ + "Starta om" + ], + "Reload": [ + "Ladda om" + ], + "Remove": [ + "Ta bort" + ], + "Remove max channel filter": [ + "Ta bort maximum kanal filter" + ], + "Remove min channel filter": [ + "Ta bort minimum kanal filter" + ], + "Reset location": [ + "Återställ plats" + ], + "Reset to defaults": [ + "Återställ till standard" + ], + "Reused %s": [ + "Återanvänt %s" + ], + "Root SSH public key": [ + "Root SSH publik nyckel" + ], + "Root authentication": [ + "Rootautentisering" + ], + "Root password": [ + "Root lösenord" + ], + "SD Card": [ + "SD-kort" + ], + "SSH Key": [ + "SSH nyckel" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Sök" + ], + "Security": [ + "Säkerhet" + ], + "See more details": [ + "Se mer detaljer" + ], + "Select": [ + "Välj" + ], + "Select a disk": [ + "Välj en disk" + ], + "Select a location": [ + "Välj en plats" + ], + "Select a product": [ + "Välj en produkt" + ], + "Select booting partition": [ + "Välj uppstartspartition" + ], + "Select how to allocate the file system": [ + "Välj hur filsystemet ska allokeras" + ], + "Select in which device to allocate the file system": [ + "Välj i vilken enhet filsystemet ska allokeras" + ], + "Select installation device": [ + "Välj installationsenhet" + ], + "Select what to do with each partition.": [ + "Välj vad som ska göras med varje partition." + ], + "Selected patterns": [ + "Valda mönster" + ], + "Separate LVM at %s": [ + "Separat LVM på %s" + ], + "Server IP": [ + "Server IP" + ], + "Set": [ + "Ställ in" + ], + "Set DIAG Off": [ + "Sätt DIAGNOS till av" + ], + "Set DIAG On": [ + "Sätt DIAGNOS till på" + ], + "Set a password": [ + "Ställ in ett lösenord" + ], + "Set a root password": [ + "Ställ in ett root lösenord" + ], + "Set root SSH public key": [ + "Ställ in publik SSH nyckel för root" + ], + "Show %d subvolume action": [ + "Visa %d undervolym åtgärd", + "Visa %d undervolymer åtgärder" + ], + "Show information about %s": [ + "Visa information om %s" + ], + "Show partitions and file-systems actions": [ + "Visa partitioner och filsystemåtgärder" + ], + "Shrink existing partitions": [ + "Krymp existerande partitioner" + ], + "Shrinking partitions is allowed": [ + "Att krympa partitioner är tillåtet" + ], + "Shrinking partitions is not allowed": [ + "Att krympa partitioner är inte tillåtet" + ], + "Shrinking some partitions is allowed but not needed": [ + "Att krympa vissa partitioner är tillåtet men behövs inte" + ], + "Size": [ + "Storlek" + ], + "Size unit": [ + "Storleksenhet" + ], + "Software": [ + "Programvara" + ], + "Software %s": [ + "Programvara %s" + ], + "Software selection": [ + "Val av programvara" + ], + "Something went wrong": [ + "Något gick fel" + ], + "Space policy": [ + "Utrymmespolicy" + ], + "Startup": [ + "Uppstart" + ], + "Status": [ + "Status" + ], + "Storage": [ + "Lagring" + ], + "Storage proposal not possible": [ + "Lagringsförslag är inte möjligt" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Strukturen för det nya systemet, inklusive eventuell ytterligare partition som behövs för uppstart" + ], + "Swap at %1$s (%2$s)": [ + "Swap på %1$s (%2$s)" + ], + "Swap partition (%s)": [ + "Swap partition (%s)" + ], + "Swap volume (%s)": [ + "Swap volym (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "TPM-försegling kräver att det nya systemet startas upp direkt." + ], + "Table with mount points": [ + "Tabell med monteringspunkter" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Ta dig tid att kontrollera din konfiguration innan du startar installationsprocessen." + ], + "Target Password": [ + "Mål lösenord" + ], + "Targets": [ + "Mål" + ], + "The amount of RAM in the system": [ + "Mängden RAM i systemet" + ], + "The configuration of snapshots": [ + "Konfigurationen för ögonblicksavbilder" + ], + "The content may be deleted": [ + "Innehållet kan komma att raderas" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "Det nuvarande filsystemet på %s är valt att monteras på %s." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Det aktuella filsystemet på den valda enheten kommer att monteras utan att formatera enheten." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Data bevaras, men storleken på de aktuella partitionerna kommer att ändras efter behov." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Data bevaras. Endast det utrymme som inte är tilldelat någon partition kommer att användas." + ], + "The device cannot be shrunk:": [ + "Enheten kan inte krympas:" + ], + "The encryption password did not work": [ + "Krypteringslösenordet fungerade inte" + ], + "The file system is allocated at the device %s.": [ + "Filsystemet är allokerat på enhet %s." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "Filsystemet kommer att tilldelas som en ny partition på den valda disken." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Filsystemen är allokerade på installationsenheten som standard. Ange en anpassad plats för att skapa filsystemet på en specifik enhet." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Filsystemen kommer att tilldelas som standard som [logiska volymer av en ny LVM volymgrupp]. Motsvarande fysiska volymer kommer att skapas på begäran som nya partitioner på de valda enheterna." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Filsystemen kommer som standard att tilldelas som [nya partitioner på den valda enheten]." + ], + "The final size depends on %s.": [ + "Den slutliga storleken beror på %s." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Det sista steget för att konfigurera Trusted Platform Module (TPM) för att automatiskt öppna krypterade enheter kommer att ske under den första uppstarten av det nya systemet. För att det ska fungera måste maskinen startas direkt till den nya uppstartshanteraren." + ], + "The following software patterns are selected for installation:": [ + "Följande programvarumönster är valda för installation:" + ], + "The installation on your machine is complete.": [ + "Installationen på din maskin har slutförts." + ], + "The installation will take": [ + "Installationen kommer att ta" + ], + "The installation will take %s including:": [ + "Installationen kommer att ta upp %s inklusive:" + ], + "The installer requires [root] user privileges.": [ + "Installationsprogrammet kräver [root] användarrättigheter." + ], + "The mount point is invalid": [ + "Monteringspunkten är ogiltig" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Alternativen för filsystemstypen beror på produkten och monteringspunkten." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "Lösenordet kommer inte att behövas för att starta och komma åt data om TPM kan verifiera systemets integritet. TPM-försegling kräver att det nya systemet startas upp direkt vid första körningen." + ], + "The selected device will be formatted as %s file system.": [ + "Den valda enheten kommer att formateras med %s filsystem." + ], + "The size of the file system cannot be edited": [ + "Storleken på filsystemet kan inte redigeras" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Systemet stöder inte WiFi-anslutningar, förmodligen på grund av saknad eller inaktiverad hårdvara." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Systemet har inte konfigurerats för att ansluta till ett WiFi-nätverk än." + ], + "The system will use %s as its default language.": [ + "Systemet kommer att använda %s som dess standardspråk." + ], + "The systems will be configured as displayed below.": [ + "System kommer att konfigureras som det visas nedan." + ], + "The type and size of the file system cannot be edited.": [ + "Filsystemets typ och storlek kan inte redigeras." + ], + "The zFCP disk was not activated.": [ + "zFCP disken var inte aktiverad." + ], + "There is a predefined file system for %s.": [ + "Det finns ett fördefinierat filsystem för %s." + ], + "There is already a file system for %s.": [ + "Det finns redan ett filsystemet för %s." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Dessa är de mest relevanta installationsinställningarna. Bläddra gärna igenom avsnitten i menyn för ytterligare detaljer." + ], + "These limits are affected by:": [ + "Dessa gränser påverkas av:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Denna åtgärd kan förstöra all data som lagras på enheterna som anges nedan. Vänligen bekräfta att du verkligen vill fortsätta." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Denna produkten tillåter inte att välja programvarumönster under installationen. Du kan dock lägga till ytterligare programvara när installationen är klar." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Detta utrymme inkluderar bassystemet och de valda programvarumönsterna, om några." + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "Tidszon" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "För att säkerställa att det nya systemet kan starta kan installationsprogrammet behöva skapa eller konfigurera vissa partitioner på lämplig disk." + ], + "Transactional Btrfs": [ + "Transaktionell Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "Transaktionell Btrfs root partition (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "Transaktionell Btrfs root volym (%s)" + ], + "Transactional root file system": [ + "Transaktionellt root filsystem" + ], + "Type": [ + "Typ" + ], + "Unit for the maximum size": [ + "Enhet för maximal storlek" + ], + "Unit for the minimum size": [ + "Enhet för minsta storlek" + ], + "Unselect": [ + "Avmarkera" + ], + "Unused space": [ + "Oanvänt utrymme" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Upp till %s kan återställas genom att krympa enheten." + ], + "Upload": [ + "Ladda upp" + ], + "Upload a SSH Public Key": [ + "Ladda upp en Publik SSH nyckel" + ], + "Upload, paste, or drop an SSH public key": [ + "Ladda upp, klistra in eller dra in och släpp en SSH publik nyckel" + ], + "Usage": [ + "Användning" + ], + "Use Btrfs snapshots for the root file system": [ + "Använd Btrfs ögonblicksbilder för rootfilsystemet" + ], + "Use available space": [ + "Använd tillgängligt utrymme" + ], + "Use suggested username": [ + "Använd föreslaget användarnamn" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Använd Trusted Platform Module (TPM) för att dekryptera automatiskt vid varje uppstart" + ], + "User full name": [ + "Användarens fullständiga namn" + ], + "User name": [ + "Användarnamn" + ], + "Username": [ + "Användarnamn" + ], + "Username suggestion dropdown": [ + "Rullgardinsmeny för användarnamnsförslag" + ], + "Users": [ + "Användare" + ], + "Visible Wi-Fi networks": [ + "Synliga WiFi nätverk" + ], + "WPA & WPA2 Personal": [ + "WPA & WPA2 Personal" + ], + "WPA Password": [ + "WPA lösenord" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Väntande" + ], + "Waiting for actions information...": [ + "Väntar på åtgärdsinformation..." + ], + "Waiting for information about storage configuration": [ + "Väntar på information om lagringskonfiguration" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "WiFi connection form": [ + "WiFi anslutningsformulär" + ], + "Wired": [ + "Trådbunden" + ], + "Wires: %s": [ + "Kablar: %s" + ], + "Yes": [ + "Ja" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "påverkar" + ], + "at least %s": [ + "åtminstone %s" + ], + "auto": [ + "auto" + ], + "auto selected": [ + "automatiskt vald" + ], + "configured": [ + "konfigurerad" + ], + "deleting current content": [ + "raderar nuvarande innehåll" + ], + "disabled": [ + "inaktiverad" + ], + "enabled": [ + "aktiverad" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "krymper partitioner" + ], + "storage techs": [ + "lagringsteknologier" + ], + "the amount of RAM in the system": [ + "mängden RAM i systemet" + ], + "the configuration of snapshots": [ + "konfigurationen av ögonblicksavbilder" + ], + "the presence of the file system for %s": [ + "närvaron av filsystemet för %s" + ], + "user autologin": [ + "användare automatisk inloggning" + ], + "using TPM unlocking": [ + "med hjälp av TPM-upplåsning" + ], + "with custom actions": [ + "med anpassade åtgärder" + ], + "without modifying any partition": [ + "utan att modifiera någon partition" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "zFCP-diskaktivering" + ], + "zFCP Disk activation form": [ + "zFCP-diskaktiveringsformulär" + ] +}; diff --git a/web/src/po/po.tr.js b/web/src/po/po.tr.js new file mode 100644 index 0000000000..4f08f5ce9b --- /dev/null +++ b/web/src/po/po.tr.js @@ -0,0 +1,1480 @@ +export default { + "": { + "plural-forms": (n) => n != 1, + "language": "tr" + }, + " Timezone selection": [ + " Zaman dilimi seçimi" + ], + " and ": [ + " ve " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "%1$s %2$s %3$s'de (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s bölüm (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s disk (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "%1$s kökü %2$s'de (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s kök bölümü (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s kök diski (%2$s)" + ], + "%d partition will be shrunk": [ + "%d bölümü küçültülecek", + "%d bölümü küçültülecek" + ], + "%s disk": [ + "%s disk" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s atomik güncellemelere sahip değişmez bir sistemdir. Anlık imajlar aracılığıyla güncellenen salt okunur bir Btrfs dosya sistemi kullanır." + ], + "%s logo": [ + "%s logosu" + ], + "%s with %d partitions": [ + "%s ile %d bölümler" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "Bir bağlama noktası gerekli" + ], + "A new LVM Volume Group": [ + "Yeni bir LVM Disk Grubu" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "Seçilen diskte yeni bir birim grubu tahsis edilecek ve dosya sistemi mantıksal birim olarak oluşturulacaktır." + ], + "A size value is required": [ + "Bir boyut değeri gerekli" + ], + "Accept": [ + "Kabul Et" + ], + "Action": [ + "Eylem" + ], + "Actions": [ + "Eylemler" + ], + "Actions for connection %s": [ + "%s bağlantısı için eylemler" + ], + "Actions to find space": [ + "Alan bulmak için eylemler" + ], + "Activate": [ + "Etkinleştir" + ], + "Activate disks": [ + "Diskleri etkinleştir" + ], + "Activate new disk": [ + "Yeni diski etkinleştir" + ], + "Activate zFCP disk": [ + "zFCP diskini etkinleştir" + ], + "Activated": [ + "Aktifleştirildi" + ], + "Add %s file system": [ + "%s dosya sistemini ekle" + ], + "Add DNS": [ + "DNS Ekle" + ], + "Add a SSH Public Key for root": [ + "Root için bir SSH Genel Anahtarı ekleyin" + ], + "Add an address": [ + "Adres ekle" + ], + "Add another DNS": [ + "Başka bir DNS ekle" + ], + "Add another address": [ + "Başka Bir Adres Ekle" + ], + "Add file system": [ + "Dosya sistemi ekle" + ], + "Address": [ + "Adres" + ], + "Addresses": [ + "Adresler" + ], + "Addresses data list": [ + "Adres veri listesi" + ], + "All fields are required": [ + "Tüm alanlar zorunludur" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "Tüm bölümler kaldırılacak ve disklerdeki tüm veriler kaybolacaktır." + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "Yapılandırma değişiklikleri veya yazılım yükseltmeleri sonrasında sistemin önceki bir sürümüne önyükleme yapılmasına olanak tanır." + ], + "Already set": [ + "Zaten ayarlandı" + ], + "An existing disk": [ + "Mevcut bir disk" + ], + "At least one address must be provided for selected mode": [ + "Seçilen mod için en az bir adres sağlanmalıdır" + ], + "At this point you can power off the machine.": [ + "Bu noktada makineyi kapatabilirsiniz." + ], + "At this point you can reboot the machine to log in to the new system.": [ + "Bu noktada yeni sisteme giriş yapmak için makineyi yeniden başlatabilirsiniz." + ], + "Authentication by initiator": [ + "Başlatıcıya göre kimlik doğrulama" + ], + "Authentication by target": [ + "Hedefe göre kimlik doğrulama" + ], + "Authentication failed, please try again": [ + "Kimlik doğrulama başarısız oldu, lütfen tekrar deneyin" + ], + "Auto": [ + "Otomatik" + ], + "Auto LUNs Scan": [ + "Otomatik LUN Taraması" + ], + "Auto-login": [ + "Otomatik oturum açma" + ], + "Automatic": [ + "Otomatik" + ], + "Automatic (DHCP)": [ + "Otomatik (DHCP)" + ], + "Automatic LUN scan is [disabled]. LUNs have to be manually configured after activating a controller.": [ + "Otomatik LUN taraması [devre dışı]. LUN'ların manuel olarak taranması gerekir Bir kontrol cihazı etkinleştirildikten sonra yapılandırılır." + ], + "Automatic LUN scan is [enabled]. Activating a controller which is running in NPIV mode will automatically configures all its LUNs.": [ + "Otomatik LUN taraması [etkin]. Bir denetleyiciyi etkinleştirme NPIV modunda çalıştırıldığında tüm LUN'lar otomatik olarak yapılandırılır." + ], + "Automatically calculated size according to the selected product.": [ + "Seçilen ürüne göre otomatik olarak boyut hesaplanır." + ], + "Available products": [ + "Mevcut ürünler" + ], + "Back": [ + "Geri" + ], + "Back to device selection": [ + "Cihaz seçimine geri dön" + ], + "Before %s": [ + "Önce %s" + ], + "Before installing, please check the following problems.": [ + "Kurulum yapmadan önce lütfen aşağıdaki sorunları kontrol edin." + ], + "Before starting the installation, you need to address the following problems:": [ + "Kuruluma başlamadan önce aşağıdaki sorunları gidermeniz gerekmektedir:" + ], + "Boot partitions at %s": [ + "%s'deki önyükleme bölümleri" + ], + "Boot partitions at installation disk": [ + "Yükleme diskindeki önyükleme bölümleri" + ], + "Btrfs root partition with snapshots (%s)": [ + "Anlık imajlarla (%s) Btrfs kök bölümü" + ], + "Btrfs root volume with snapshots (%s)": [ + "Anlık imajlarla (%s) Btrfs kök birimi" + ], + "Btrfs with snapshots": [ + "Anlık imajlarla Btrfs" + ], + "Cancel": [ + "İptal" + ], + "Cannot accommodate the required file systems for installation": [ + "Kurulum için gerekli dosya sistemlerine yer verilemiyor" + ], + "Cannot be changed in remote installation": [ + "Uzaktan kurulumda değiştirilemez" + ], + "Cannot connect to Agama server": [ + "Agama sunucusuna bağlanılamıyor" + ], + "Cannot format all selected devices": [ + "Seçilen tüm aygıtlar biçimlendirilemiyor" + ], + "Change": [ + "Değiştir" + ], + "Change boot options": [ + "Önyükleme seçeneklerini değiştir" + ], + "Change location": [ + "Konumu değiştir" + ], + "Change product": [ + "Ürünü değiştir" + ], + "Change selection": [ + "Seçimi değiştir" + ], + "Change the root password": [ + "Root şifresini değiştirin" + ], + "Channel ID": [ + "Kanal Kimliği" + ], + "Check the planned action": [ + "Planlanan eylemi kontrol edin", + "%d planlanan eylemi kontrol edin" + ], + "Choose a disk for placing the boot loader": [ + "Önyükleme yükleyicisini yerleştirmek için bir disk seçin" + ], + "Clear": [ + "Temizle" + ], + "Close": [ + "Kapat" + ], + "Configuring the product, please wait ...": [ + "Ürün yapılandırılıyor, lütfen bekleyin..." + ], + "Confirm": [ + "Onayla" + ], + "Confirm Installation": [ + "Kurulumu Onaylayın" + ], + "Congratulations!": [ + "Tebrikler!" + ], + "Connect": [ + "Bağlan" + ], + "Connect to a Wi-Fi network": [ + "Bir Wi-Fi ağına bağlanın" + ], + "Connect to hidden network": [ + "Gizli ağa bağlan" + ], + "Connect to iSCSI targets": [ + "iSCSI hedeflerine bağlanın" + ], + "Connected": [ + "Bağlı" + ], + "Connected (%s)": [ + "Bağlandı (%s)" + ], + "Connected to %s": [ + "%s'ye bağlandı" + ], + "Connecting": [ + "Bağlanıyor" + ], + "Connection actions": [ + "Bağlantı eylemleri" + ], + "Continue": [ + "İleri" + ], + "Controllers": [ + "Kontrolörler" + ], + "Could not authenticate against the server, please check it.": [ + "Sunucuya karşı kimlik doğrulaması yapılamadı, lütfen kontrol edin." + ], + "Could not log in. Please, make sure that the password is correct.": [ + "Giriş yapılamadı. Lütfen şifrenin doğru olduğundan emin olun." + ], + "Create a dedicated LVM volume group": [ + "Özel bir LVM birim grubu oluşturun" + ], + "Create a new partition": [ + "Yeni bir bölüm oluştur" + ], + "Create user": [ + "Kullanıcı oluştur" + ], + "Custom": [ + "Özel" + ], + "DASD": [ + "DASD" + ], + "DASD %s": [ + "DASD %s" + ], + "DASD devices selection table": [ + "DASD aygıtları seçim tablosu" + ], + "DASDs table section": [ + "DASDs tablo bölümü" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "Devre dışı bırak" + ], + "Deactivated": [ + "Devre dışı bırakıldı" + ], + "Define a user now": [ + "Şimdi bir kullanıcı tanımlayın" + ], + "Delete": [ + "Sil" + ], + "Delete current content": [ + "Mevcut içeriği sil" + ], + "Destructive actions are allowed": [ + "Tahrip edici eylemlere izin veriliyor" + ], + "Destructive actions are not allowed": [ + "Tahrip edici eylemlere izin verilmez" + ], + "Details": [ + "Detaylar" + ], + "Device": [ + "Cihaz" + ], + "Device selector for new LVM volume group": [ + "Yeni LVM birim grubu için cihaz seçici" + ], + "Device selector for target disk": [ + "Hedef disk için cihaz seçici" + ], + "Devices: %s": [ + "Cihazlar: %s" + ], + "Discard": [ + "At" + ], + "Disconnect": [ + "Bağlantıyı kes" + ], + "Disconnected": [ + "Bağlantısı Kesildi" + ], + "Discover": [ + "Keşfet" + ], + "Discover iSCSI Targets": [ + "iSCSI Hedeflerini Keşfedin" + ], + "Discover iSCSI targets": [ + "iSCSI hedeflerini keşfedin" + ], + "Disk": [ + "Disk" + ], + "Disks": [ + "Diskler" + ], + "Do not configure": [ + "Yapılandırmayın" + ], + "Do not configure partitions for booting": [ + "Önyükleme için bölümleri yapılandırmayın" + ], + "Do you want to add it?": [ + "Eklemek ister misiniz?" + ], + "Do you want to edit it?": [ + "Düzenlemek ister misiniz?" + ], + "Download logs": [ + "Günlükleri indir" + ], + "Edit": [ + "Düzenle" + ], + "Edit %s": [ + "%s'yi düzenle" + ], + "Edit %s file system": [ + "%s dosya sistemini düzenle" + ], + "Edit connection %s": [ + "Bağlantıyı düzenle %s" + ], + "Edit file system": [ + "Dosya sistemini düzenle" + ], + "Edit iSCSI Initiator": [ + "iSCSI Başlatıcısını Düzenle" + ], + "Edit password too": [ + "Şifreyi de düzenle" + ], + "Edit the SSH Public Key for root": [ + "Root için SSH Genel Anahtarını düzenleyin" + ], + "Edit user": [ + "Kullanıcıyı düzenle" + ], + "Enable": [ + "Etkinleştir" + ], + "Encrypt the system": [ + "Sistemi şifrele" + ], + "Encrypted Device": [ + "Şifrelenmiş Aygıt" + ], + "Encryption": [ + "Şifreleme" + ], + "Encryption Password": [ + "Şifreleme Şifresi" + ], + "Exact size": [ + "Tam boyut" + ], + "Exact size for the file system.": [ + "Dosya sisteminin tam boyutu." + ], + "File system type": [ + "Dosya sistemi türü" + ], + "File systems created as new partitions at %s": [ + "%s konumunda yeni bölümler olarak oluşturulan dosya sistemleri" + ], + "File systems created at a new LVM volume group": [ + "Yeni bir LVM birim grubunda oluşturulan dosya sistemleri" + ], + "File systems created at a new LVM volume group on %s": [ + "%s üzerinde yeni bir LVM birim grubunda oluşturulan dosya sistemleri" + ], + "Filter by description or keymap code": [ + "Açıklamaya veya tuş haritası koduna göre filtreleyin" + ], + "Filter by language, territory or locale code": [ + "Dile, bölgeye veya yerel ayar koduna göre filtreleyin" + ], + "Filter by max channel": [ + "Maksimum kanala göre filtrele" + ], + "Filter by min channel": [ + "Minimum kanala göre filtrele" + ], + "Filter by pattern title or description": [ + "Desen başlığına veya açıklamasına göre filtrele" + ], + "Filter by territory, time zone code or UTC offset": [ + "Bölgeye, saat dilimi koduna veya UTC farkına göre filtreleyin" + ], + "Final layout": [ + "Son düzen" + ], + "Finish": [ + "Bitti" + ], + "Finished": [ + "Bitti" + ], + "First user": [ + "İlk kullanıcı" + ], + "Fixed": [ + "Düzeltildi" + ], + "Forget": [ + "Unut" + ], + "Forget connection %s": [ + "Bağlantıyı unut %s" + ], + "Format": [ + "Biçim" + ], + "Format selected devices?": [ + "Seçili cihazlar biçimlendirilsin mi?" + ], + "Format the device": [ + "Cihazı biçimlendirin" + ], + "Formatted": [ + "Biçimlendirilmiş" + ], + "Formatting DASD devices": [ + "DASD aygıtlarının biçimlendirilmesi" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "Tam Disk Şifreleme (FDE), veriler, programlar ve sistem dosyaları dahil olmak üzere cihazda depolanan bilgilerin korunmasına olanak tanır." + ], + "Full name": [ + "Tam isim" + ], + "Gateway": [ + "Ağ Geçidi" + ], + "Gateway can be defined only in 'Manual' mode": [ + "Ağ geçidi yalnızca 'Manuel' modda tanımlanabilir" + ], + "GiB": [ + "GB" + ], + "Hide %d subvolume action": [ + "%d alt birim eylemini gizle", + "%d alt birim eylemlerini gizle" + ], + "Hide details": [ + "Detayları gizle" + ], + "IP Address": [ + "IP Adres" + ], + "IP address": [ + "IP adresi" + ], + "IP addresses": [ + "IP adresleri" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "Bu yükleyiciyi çalıştırmak için yerel medya kullanıldıysa bir sonraki önyüklemeden önce bunu kaldırın." + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "Devam ederseniz sabit diskinizdeki bölümler, sağlanan kurulum ayarlarına göre değiştirilecektir." + ], + "In progress": [ + "Devam ediyor" + ], + "Incorrect IP address": [ + "Yanlış IP adresi" + ], + "Incorrect password": [ + "Yanlış şifre" + ], + "Incorrect port": [ + "Yanlış port" + ], + "Incorrect user name": [ + "Yanlış kullanıcı adı" + ], + "Initiator": [ + "Başlatıcı" + ], + "Initiator name": [ + "Başlatıcı adı" + ], + "Install": [ + "Yükle" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "Temel aygıtların tüm içeriğini silerek yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna kurulum yapın" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "%s'de yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna yükleyin ve tüm içeriğini silin" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "%s'de yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna yükleyin ve gerektiğinde mevcut bölümleri küçültün" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "%s üzerinde yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna, gereken alanı bulmak için özel bir strateji kullanarak yükleyin" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "Mevcut bölümleri değiştirmeden %s üzerindeki yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna yükleyin" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "Gerektiğinde temel cihazlardaki mevcut bölümleri daraltan yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna kurulum yapın" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "Temel cihazlarda gerekli alanı bulmak için özel bir strateji kullanarak yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna kurulum yapın" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "Temel cihazlardaki bölümleri değiştirmeden yeni bir Mantıksal Birim Yöneticisi (LVM) birim grubuna kurulum yapın" + ], + "Install new system on": [ + "Yeni sistemi buraya kur" + ], + "Install using device %s and deleting all its content": [ + "%s aygıtını kullanarak yükleyin ve tüm içeriğini silin" + ], + "Install using device %s shrinking existing partitions as needed": [ + "%s aygıtını kullanarak kurulum yapın ve gerektiğinde mevcut bölümleri küçültün" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "Gerekli alanı bulmak için özel bir stratejiyle %s aygıtını kullanarak yükleyin" + ], + "Install using device %s without modifying existing partitions": [ + "Mevcut bölümleri değiştirmeden %s aygıtını kullanarak yükleyin" + ], + "Installation blocking issues": [ + "Kurulum engelleme sorunları" + ], + "Installation device": [ + "Kurulum cihazı" + ], + "Installation issues": [ + "Kurulum sorunları" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "Sorunlar nedeniyle kurulum henüz mümkün değil. Bunları Genel Bakış sayfasından kontrol edin." + ], + "Installation will configure partitions for booting at %s.": [ + "Kurulum, bölümleri %s konumunda önyükleme için yapılandıracaktır." + ], + "Installation will configure partitions for booting at the installation disk.": [ + "Kurulum, kurulum diskinde önyükleme için bölümleri yapılandıracaktır." + ], + "Installation will not configure partitions for booting.": [ + "Kurulum, önyükleme için bölümleri yapılandırmayacaktır." + ], + "Installation will take %s.": [ + "Kurulum %s kadar olacak." + ], + "Installer Options": [ + "Yükleyici Seçenekleri" + ], + "Installer options": [ + "Kurulum seçenekleri" + ], + "Installing the system, please wait...": [ + "Sistem kuruluyor, lütfen bekleyin..." + ], + "Interface": [ + "Arayüz" + ], + "Ip prefix or netmask": [ + "IP öneki veya ağ maskesi" + ], + "Keyboard": [ + "Klavye" + ], + "Keyboard layout": [ + "Klavye düzeni" + ], + "Keyboard selection": [ + "Klavye seçimi" + ], + "KiB": [ + "KB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "Dil" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "Dosya sistemi boyutu için sınırlar. Son boyut, verilen minimum ve maksimum arasında bir değer olacaktır. Maksimum verilmezse dosya sistemi mümkün olduğunca büyük olacaktır." + ], + "Loading data...": [ + "Veri yükleniyor..." + ], + "Loading installation environment, please wait.": [ + "Kurulum ortamı yükleniyor, lütfen bekleyin." + ], + "Locale selection": [ + "Yerelleştirme seçimi" + ], + "Localization": [ + "Yerelleştirme" + ], + "Location": [ + "Konum" + ], + "Location for %s file system": [ + "%s dosya sistemi için konum" + ], + "Log in": [ + "Giriş Yap" + ], + "Log in as %s": [ + "%s olarak oturum açın" + ], + "Logical volume at system LVM": [ + "Sistem LVM'sindeki mantıksal birim" + ], + "Login": [ + "Oturum aç" + ], + "Login %s": [ + "Giriş %s" + ], + "Login form": [ + "Giriş Formu" + ], + "Logout": [ + "Oturumu kapat" + ], + "Main disk or LVM Volume Group for installation.": [ + "Kurulum için ana disk veya LVM Birim Grubu." + ], + "Main navigation": [ + "Ana gezinme" + ], + "Make sure you provide the correct values": [ + "Doğru değerleri sağladığınızdan emin olun" + ], + "Manage and format": [ + "Yönet ve biçimlendir" + ], + "Manual": [ + "Manuel" + ], + "Maximum": [ + "Maksimum" + ], + "Maximum desired size": [ + "İstenilen maksimum boyut" + ], + "Maximum must be greater than minimum": [ + "Maksimum, minimumdan büyük olmalıdır" + ], + "Members: %s": [ + "Üyeler: %s" + ], + "Method": [ + "Yöntem" + ], + "MiB": [ + "MB" + ], + "Minimum": [ + "Minimum" + ], + "Minimum desired size": [ + "Minimum istenen boyut" + ], + "Minimum size is required": [ + "Minimum boyut gereklidir" + ], + "Mode": [ + "Mod" + ], + "Modify": [ + "Değiştir" + ], + "More info for file system types": [ + "Dosya sistemi türleri hakkında daha fazla bilgi" + ], + "Mount %1$s at %2$s (%3$s)": [ + "%1$s'yi %2$s'ye (%3$s) bağlayın" + ], + "Mount Point": [ + "Bağlantı Noktası" + ], + "Mount point": [ + "Bağlantı noktası" + ], + "Mount the file system": [ + "Dosya sistemini bağlayın" + ], + "Multipath": [ + "Çoklu yol" + ], + "Name": [ + "İsim" + ], + "Network": [ + "Ağ" + ], + "New": [ + "Yeni" + ], + "No": [ + "Hayır" + ], + "No Wi-Fi supported": [ + "Wi-Fi desteklenmiyor" + ], + "No additional software was selected.": [ + "Hiçbir ek yazılım seçilmedi." + ], + "No connected yet": [ + "Henüz bağlanmadı" + ], + "No content found": [ + "İçerik bulunamadı" + ], + "No device selected yet": [ + "Henüz hiçbir cihaz seçilmedi" + ], + "No iSCSI targets found.": [ + "Hiçbir iSCSI hedefi bulunamadı." + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "Önyükleme için hiçbir bölüm otomatik olarak yapılandırılmayacak. Dikkatli kullanın." + ], + "No root authentication method defined yet.": [ + "Henüz tanımlanmış bir kök kimlik doğrulama yöntemi yok." + ], + "No user defined yet.": [ + "Henüz kullanıcı tanımlı değil." + ], + "No visible Wi-Fi networks found": [ + "Görünür Wi-Fi ağı bulunamadı" + ], + "No wired connections found": [ + "Kablolu bağlantı bulunamadı" + ], + "No zFCP controllers found.": [ + "Hiçbir zFCP denetleyicisi bulunamadı." + ], + "No zFCP disks found.": [ + "zFCP diski bulunamadı." + ], + "None": [ + "Yok" + ], + "None of the keymaps match the filter.": [ + "Hiçbir tuş haritası filtreye uymuyor." + ], + "None of the locales match the filter.": [ + "Hiçbir yerel ayar filtreye uymuyor." + ], + "None of the patterns match the filter.": [ + "Desenlerin hiçbiri filtreyle eşleşmiyor." + ], + "None of the time zones match the filter.": [ + "Hiçbir zaman dilimi filtreye uymuyor." + ], + "Not selected yet": [ + "Henüz seçilmedi" + ], + "Not set": [ + "Ayarlanmamış" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "Çevrimdışı cihazlar biçimlendirilmeden önce etkinleştirilmelidir. Lütfen aşağıda listelenen cihazların seçimini kaldırın veya etkinleştirin ve tekrar deneyin" + ], + "Offload card": [ + "Kartı boşalt" + ], + "On boot": [ + "Önyüklemede" + ], + "Only available if authentication by target is provided": [ + "Yalnızca hedef tarafından kimlik doğrulaması sağlandığında kullanılabilir" + ], + "Options toggle": [ + "Seçenekler geçişi" + ], + "Other": [ + "Diğer" + ], + "Overview": [ + "Genel bakış" + ], + "Partition Info": [ + "Bölüm Bilgisi" + ], + "Partition at %s": [ + "%s'de bölüm" + ], + "Partition at installation disk": [ + "Kurulum diskindeki bölüm" + ], + "Partitions and file systems": [ + "Bölümler ve dosya sistemleri" + ], + "Partitions to boot will be allocated at the following device.": [ + "Önyükleme için bölümler aşağıdaki aygıta tahsis edilecektir." + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "Önyükleme için bölümler kurulum diskinde (%s) tahsis edilecektir." + ], + "Partitions to boot will be allocated at the installation disk.": [ + "Önyükleme için gerekli bölümler kurulum diskinde tahsis edilecektir." + ], + "Password": [ + "Parola" + ], + "Password Required": [ + "Parola Gerekli" + ], + "Password confirmation": [ + "Parola onayı" + ], + "Password input": [ + "Şifre girişi" + ], + "Password visibility button": [ + "Parola görünürlük düğmesi" + ], + "Passwords do not match": [ + "Parolalar uyuşmuyor" + ], + "Pending": [ + "Bekliyor" + ], + "Perform an action": [ + "Bir eylem gerçekleştir" + ], + "PiB": [ + "PB" + ], + "Planned Actions": [ + "Planlanan Eylemler" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "Sisteme giriş yapılabilmesi için kurulumdan önce bir kullanıcı tanımlanması gerektiğini lütfen aklınızda bulundurun." + ], + "Please, cancel and check the settings if you are unsure.": [ + "Emin değilseniz lütfen iptal edin ve ayarları kontrol edin." + ], + "Please, check whether it is running.": [ + "Çalışıp çalışmadığını kontrol edin lütfen." + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "Lütfen sisteme root olarak giriş yapmak için en az bir kimlik doğrulama yöntemi tanımlayın." + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "Lütfen kullanılabilir iSCSI hedeflerini bulmak için bir iSCSI keşfi gerçekleştirin." + ], + "Please, provide its password to log in to the system.": [ + "Lütfen sisteme giriş yapabilmek için şifrenizi giriniz." + ], + "Please, review provided settings and try again.": [ + "Lütfen verilen ayarları gözden geçirip tekrar deneyin." + ], + "Please, try to activate a zFCP controller.": [ + "Lütfen bir zFCP denetleyicisi etkinleştirmeyi deneyin." + ], + "Please, try to activate a zFCP disk.": [ + "Lütfen bir zFCP diski etkinleştirmeyi deneyin." + ], + "Port": [ + "Port" + ], + "Portal": [ + "Portal" + ], + "Prefix length or netmask": [ + "Önek uzunluğu veya ağ maskesi" + ], + "Prepare more devices by configuring advanced": [ + "Gelişmiş yapılandırmalar yaparak daha fazla cihaz hazırlayın" + ], + "Presence of other volumes (%s)": [ + "Diğer disklerin mevcudu (%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "Veriler, programlar ve sistem dosyaları dahil olmak üzere cihazda depolanan bilgilerin korunması." + ], + "Question": [ + "Soru" + ], + "Range": [ + "Aralık" + ], + "Read zFCP devices": [ + "zFCP aygıtlarını oku" + ], + "Reboot": [ + "Yeniden Başlat" + ], + "Reload": [ + "Yenile" + ], + "Remove": [ + "Kaldır" + ], + "Remove max channel filter": [ + "Maksimum kanal filtresini kaldır" + ], + "Remove min channel filter": [ + "Min kanal filtresini kaldır" + ], + "Reset location": [ + "Konumu sıfırla" + ], + "Reset to defaults": [ + "Varsayılanlara sıfırla" + ], + "Reused %s": [ + "Yeniden kullanılan %s" + ], + "Root SSH public key": [ + "Root SSH genel anahtarı" + ], + "Root authentication": [ + "Root kimlik doğrulaması" + ], + "Root password": [ + "Root şifresi" + ], + "SD Card": [ + "SD Kart" + ], + "SSH Key": [ + "SSH Anahtarı" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "Arama" + ], + "Security": [ + "Güvenlik" + ], + "See more details": [ + "Daha fazla ayrıntı görün" + ], + "Select": [ + "Seç" + ], + "Select a disk": [ + "Bir disk seçin" + ], + "Select a location": [ + "Bir konum seçin" + ], + "Select a product": [ + "Bir ürün seçin" + ], + "Select booting partition": [ + "Önyükleme bölümünü seçin" + ], + "Select how to allocate the file system": [ + "Dosya sisteminin nasıl tahsis edileceğini seçin" + ], + "Select in which device to allocate the file system": [ + "Dosya sisteminin hangi cihaza tahsis edileceğini seçin" + ], + "Select installation device": [ + "Kurulum cihazını seçin" + ], + "Select what to do with each partition.": [ + "Her bölümle ne yapılacağını seçin." + ], + "Selected patterns": [ + "Seçilmiş desenler" + ], + "Separate LVM at %s": [ + "%s'de Ayrı LVM" + ], + "Server IP": [ + "Sunucu IP'si" + ], + "Set": [ + "Ayarla" + ], + "Set DIAG Off": [ + "DIAG'ı Kapalı Olarak Ayarla" + ], + "Set DIAG On": [ + "DIAG'ı Açık olarak ayarlayın" + ], + "Set a password": [ + "Bir şifre belirleyin" + ], + "Set a root password": [ + "Root şifresi belirleyin" + ], + "Set root SSH public key": [ + "Root SSH genel anahtarını ayarlayın" + ], + "Show %d subvolume action": [ + "%d alt birim eylemini göster", + "%d alt birim eylemlerini göster" + ], + "Show information about %s": [ + "%s hakkında bilgi göster" + ], + "Show partitions and file-systems actions": [ + "Bölümleri ve dosya sistemi eylemlerini göster" + ], + "Shrink existing partitions": [ + "Mevcut bölümleri küçült" + ], + "Shrinking partitions is allowed": [ + "Bölümlerin küçültülmesine izin verilir" + ], + "Shrinking partitions is not allowed": [ + "Bölümlerin küçültülmesine izin verilmez" + ], + "Shrinking some partitions is allowed but not needed": [ + "Bazı bölümlerin küçültülmesine izin verilir ancak buna gerek yoktur" + ], + "Size": [ + "Boyut" + ], + "Size unit": [ + "Boyut birimi" + ], + "Software": [ + "Yazılım" + ], + "Software %s": [ + "Yazılım %s" + ], + "Software selection": [ + "Yazılım seçimi" + ], + "Something went wrong": [ + "Bir şeyler ters gitti" + ], + "Space policy": [ + "Alan politikası" + ], + "Startup": [ + "Başlangıç" + ], + "Status": [ + "Durum" + ], + "Storage": [ + "Depolama" + ], + "Storage proposal not possible": [ + "Depolama önerisi mümkün değil" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "Önyükleme için gereken ek bölümler de dahil olmak üzere yeni sistemin yapısı" + ], + "Swap at %1$s (%2$s)": [ + "%1$s'de takas (%2$s)" + ], + "Swap partition (%s)": [ + "Takas bölümü (%s)" + ], + "Swap volume (%s)": [ + "Takas diski (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "TPM yalıtımıyla yeni sistemin doğrudan başlatılması gerekir." + ], + "Table with mount points": [ + "Bağlantı noktaları olan tablo" + ], + "Take your time to check your configuration before starting the installation process.": [ + "Kurulum sürecine başlamadan önce yapılandırmanızı kontrol etmek için zaman ayırın." + ], + "Target Password": [ + "Hedef Şifre" + ], + "Targets": [ + "Hedefler" + ], + "The amount of RAM in the system": [ + "Sistemdeki RAM miktarı" + ], + "The configuration of snapshots": [ + "Anlık imajların yapılandırılması" + ], + "The content may be deleted": [ + "İçerik silinmiş olabilir" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "%s üzerindeki geçerli dosya sistemi %s konumuna bağlanmak üzere seçildi." + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "Seçilen cihazdaki mevcut dosya sistemi, cihaz formatlanmadan bağlanacaktır." + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "Veriler tutulacak, ancak mevcut bölümler ihtiyaç halinde yeniden boyutlandırılacak." + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "Veriler tutulur. Sadece herhangi bir bölüme atanmamış alan kullanılacaktır." + ], + "The device cannot be shrunk:": [ + "Cihaz daraltılamaz:" + ], + "The encryption password did not work": [ + "Şifreleme şifresi işe yaramadı" + ], + "The file system is allocated at the device %s.": [ + "Dosya sistemi %s cihazına tahsis edildi." + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "Seçilen diskte dosya sistemi yeni bir bölüm olarak tahsis edilecektir." + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "Dosya sistemleri varsayılan olarak kurulum cihazına tahsis edilir. Dosya sistemini belirli bir cihazda oluşturmak için özel bir konum belirtin." + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "Dosya sistemleri varsayılan olarak [yeni bir LVM Birim Grubunun mantıksal birimleri] olarak tahsis edilecektir. İlgili fiziksel birimler, seçili aygıtlarda yeni bölümler olarak talep üzerine oluşturulacaktır." + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "Dosya sistemleri varsayılan olarak [seçili aygıtta yeni bölümler] olarak tahsis edilecektir." + ], + "The final size depends on %s.": [ + "Son boyut %s'ye bağlıdır." + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "Güvenilir Platform Modülünü (Trusted Platform Module) (TPM) şifrelenmiş cihazları otomatik olarak açacak şekilde yapılandırmanın son adımı, yeni sistemin ilk önyüklemesi sırasında gerçekleştirilecektir. Bunun çalışması için makinenin doğrudan yeni önyükleyiciye önyükleme yapması gerekir." + ], + "The following software patterns are selected for installation:": [ + "Kurulum için aşağıdaki yazılım desenleri seçilmiştir:" + ], + "The installation on your machine is complete.": [ + "Makinenize kurulum tamamlanmıştır." + ], + "The installation will take": [ + "Kurulum yapılacak" + ], + "The installation will take %s including:": [ + "Kurulum %s kadar olacaktır ve şunları içerecektir:" + ], + "The installer requires [root] user privileges.": [ + "Yükleyici [root] kullanıcı ayrıcalıklarını gerektirir." + ], + "The mount point is invalid": [ + "Bağlama noktası geçersiz" + ], + "The options for the file system type depends on the product and the mount point.": [ + "Dosya sistemi türüyle ilgili seçenekler ürüne ve bağlama noktasına bağlıdır." + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "TPM sistemin bütünlüğünü doğrulayabiliyorsa, verileri başlatmak ve erişmek için parolaya gerek kalmayacaktır. TPM yalıtımı, yeni sistemin ilk çalıştırmada doğrudan başlatılmasını gerektirir." + ], + "The selected device will be formatted as %s file system.": [ + "Seçilen cihaz %s dosya sistemi olarak formatlanacak." + ], + "The size of the file system cannot be edited": [ + "Dosya sisteminin boyutu düzenlenemez" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "Sistem muhtemelen eksik veya devre dışı donanım nedeniyle Wi-Fi bağlantılarını desteklemiyor." + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "Sistem henüz bir Wi-Fi ağına bağlanacak şekilde yapılandırılmadı." + ], + "The system will use %s as its default language.": [ + "Sistem varsayılan dil olarak %s dilini kullanacaktır." + ], + "The systems will be configured as displayed below.": [ + "Sistemler aşağıda gösterildiği şekilde yapılandırılacaktır." + ], + "The type and size of the file system cannot be edited.": [ + "Dosya sisteminin türü ve boyutu düzenlenemez." + ], + "The zFCP disk was not activated.": [ + "zFCP diski etkinleştirilmedi." + ], + "There is a predefined file system for %s.": [ + "%s için önceden tanımlanmış bir dosya sistemi var." + ], + "There is already a file system for %s.": [ + "%s için zaten bir dosya sistemi var." + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "Bunlar en alakalı kurulum ayarlarıdır. Daha fazla ayrıntı için menüdeki bölümlere göz atmaktan çekinmeyin." + ], + "These limits are affected by:": [ + "Bu sınırlar şunlardan etkilenir:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "Bu eylem aşağıda listelenen cihazlarda depolanan tüm verileri yok edebilir. Lütfen devam etmek istediğinizi onaylayın." + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "Bu ürün kurulum sırasında yazılım desenlerinin seçilmesine izin vermez. Ancak kurulum tamamlandıktan sonra ek yazılım ekleyebilirsiniz." + ], + "This space includes the base system and the selected software patterns, if any.": [ + "Bu alan, varsa temel sistemi ve seçili yazılım desenlerini içerir." + ], + "TiB": [ + "TB" + ], + "Time zone": [ + "Saat dilimi" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "Yeni sistemin önyükleme yapabilmesini sağlamak için yükleyicinin uygun diskte bazı bölümler oluşturması veya yapılandırması gerekebilir." + ], + "Transactional Btrfs": [ + "İşlemsel Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "İşlemsel Btrfs kök bölümü (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "İşlemsel Btrfs kök diski (%s)" + ], + "Transactional root file system": [ + "İşlemsel kök dosya sistemi" + ], + "Type": [ + "Tip" + ], + "Unit for the maximum size": [ + "Maksimum boyut için birim" + ], + "Unit for the minimum size": [ + "Minimum boyut için birim" + ], + "Unselect": [ + "Seçimi kaldır" + ], + "Unused space": [ + "Kullanılmayan alan" + ], + "Up to %s can be recovered by shrinking the device.": [ + "Cihazın küçültülmesiyle %s'ye kadar geri kazanılabilir." + ], + "Upload": [ + "Yükle" + ], + "Upload a SSH Public Key": [ + "Bir SSH Genel Anahtarı Yükleyin" + ], + "Upload, paste, or drop an SSH public key": [ + "Bir SSH genel anahtarını yükleyin, yapıştırın veya bırakın" + ], + "Usage": [ + "Kullanım" + ], + "Use Btrfs snapshots for the root file system": [ + "Kök dosya sistemi için Btrfs anlık imajlarını kullanın" + ], + "Use available space": [ + "Mevcut alanı kullan" + ], + "Use suggested username": [ + "Önerilen kullanıcı adını kullan" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "Her önyüklemede otomatik olarak şifre çözmek için Güvenilir Platform Modülünü (TPM) kullanın" + ], + "User full name": [ + "Kullanıcının tam adı" + ], + "User name": [ + "Kullanıcı adı" + ], + "Username": [ + "Kullanıcı adı" + ], + "Username suggestion dropdown": [ + "Kullanıcı adı önerisi açılır listesi" + ], + "Users": [ + "Kullanıcılar" + ], + "Visible Wi-Fi networks": [ + "Görünür Wi-Fi ağları" + ], + "WPA & WPA2 Personal": [ + "WPA ve WPA2 Kişisel" + ], + "WPA Password": [ + "WPA Şifresi" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "Bekleyin" + ], + "Waiting for actions information...": [ + "Eylem bilgileri bekleniyor..." + ], + "Waiting for information about storage configuration": [ + "Depolama yapılandırması hakkında bilgi bekleniyor" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "WiFi connection form": [ + "WiFi bağlantı formu" + ], + "Wired": [ + "Kablolu" + ], + "Wires: %s": [ + "Bağlantılar: %s" + ], + "Yes": [ + "Evet" + ], + "ZFCP": [ + "ZFCP" + ], + "affecting": [ + "etkiliyor" + ], + "at least %s": [ + "en az %s" + ], + "auto": [ + "otomatik" + ], + "auto selected": [ + "otomatik seçildi" + ], + "configured": [ + "yapılandırılmış" + ], + "deleting current content": [ + "mevcut içerik siliniyor" + ], + "disabled": [ + "devre dışı" + ], + "enabled": [ + "etkinleştirildi" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "bölümler küçültülüyor" + ], + "storage techs": [ + "depolama teknolojisi" + ], + "the amount of RAM in the system": [ + "sistemdeki RAM miktarı" + ], + "the configuration of snapshots": [ + "anlık imajların yapılandırılması" + ], + "the presence of the file system for %s": [ + "%s için dosya sisteminin mevcut olması" + ], + "user autologin": [ + "kullanıcı otomatik oturum açma" + ], + "using TPM unlocking": [ + "TPM kilidini açmayı kullanma" + ], + "with custom actions": [ + "özel eylemlerle" + ], + "without modifying any partition": [ + "herhangi bir bölümü değiştirmeden" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "zFCP Disk Etkinleştirme" + ], + "zFCP Disk activation form": [ + "zFCP Disk aktivasyon formu" + ] +}; diff --git a/web/src/po/po.zh_Hans.js b/web/src/po/po.zh_Hans.js new file mode 100644 index 0000000000..c241eb6126 --- /dev/null +++ b/web/src/po/po.zh_Hans.js @@ -0,0 +1,1401 @@ +export default { + "": { + "plural-forms": (n) => 0, + "language": "zh_Hans" + }, + " Timezone selection": [ + " 时区选择" + ], + " and ": [ + " 以及 " + ], + "%1$s %2$s at %3$s (%4$s)": [ + "位于 %3$s 上的 %1$s %2$s (%4$s)" + ], + "%1$s %2$s partition (%3$s)": [ + "%1$s %2$s 分区 (%3$s)" + ], + "%1$s %2$s volume (%3$s)": [ + "%1$s %2$s 卷 (%3$s)" + ], + "%1$s root at %2$s (%3$s)": [ + "位于 %2$s 上的 %1$s 根文件系统 (%3$s)" + ], + "%1$s root partition (%2$s)": [ + "%1$s 根分区 (%2$s)" + ], + "%1$s root volume (%2$s)": [ + "%1$s 根卷 (%2$s)" + ], + "%d partition will be shrunk": [ + "%d 个分区将被缩小" + ], + "%s disk": [ + "%s 磁盘" + ], + "%s is an immutable system with atomic updates. It uses a read-only Btrfs file system updated via snapshots.": [ + "%s 是具备原子更新特性的不可变系统。它使用只读的 Btrfs 文件系统并通过快照保持更新。" + ], + "%s logo": [ + "" + ], + "%s with %d partitions": [ + "%s (包含 %d 个分区)" + ], + ", ": [ + ", " + ], + "A mount point is required": [ + "需要挂载点" + ], + "A new LVM Volume Group": [ + "新建 LVM 卷组" + ], + "A new volume group will be allocated in the selected disk and the file system will be created as a logical volume.": [ + "新的 LVM 卷组将被分配到所选的磁盘上,文件系统将创建为逻辑卷。" + ], + "A size value is required": [ + "必须输入尺寸值" + ], + "Accept": [ + "接受" + ], + "Action": [ + "操作" + ], + "Actions": [ + "操作" + ], + "Actions for connection %s": [ + "对连接 %s 的操作" + ], + "Actions to find space": [ + "查找空间的操作" + ], + "Activate": [ + "激活" + ], + "Activate disks": [ + "激活磁盘" + ], + "Activate new disk": [ + "激活新磁盘" + ], + "Activate zFCP disk": [ + "激活 zFCP 磁盘" + ], + "Activated": [ + "已激活" + ], + "Add %s file system": [ + "添加 %s 文件系统" + ], + "Add DNS": [ + "添加 DNS" + ], + "Add a SSH Public Key for root": [ + "为 root 添加 SSH 公钥" + ], + "Add an address": [ + "添加地址" + ], + "Add another DNS": [ + "添加另一个 DNS" + ], + "Add another address": [ + "添加另一个地址" + ], + "Add file system": [ + "添加文件系统" + ], + "Address": [ + "地址" + ], + "Addresses": [ + "地址" + ], + "Addresses data list": [ + "地址数据列表" + ], + "All fields are required": [ + "需要填写全部字段" + ], + "All partitions will be removed and any data in the disks will be lost.": [ + "所有分区将被移除,磁盘上的数据将丢失。" + ], + "Allows to boot to a previous version of the system after configuration changes or software upgrades.": [ + "允许配置被改变或软件更新后,回退启动到先前版本的系统。" + ], + "Already set": [ + "已设定" + ], + "An existing disk": [ + "现存磁盘" + ], + "At least one address must be provided for selected mode": [ + "所选模式要求至少提供一个地址" + ], + "At this point you can power off the machine.": [ + "现在您可以关闭机器电源了。" + ], + "At this point you can reboot the machine to log in to the new system.": [ + "现在您可以重启机器并登录到新系统。" + ], + "Authentication by initiator": [ + "发起者身份认证" + ], + "Authentication by target": [ + "目标身份认证" + ], + "Auto": [ + "自动" + ], + "Auto LUNs Scan": [ + "自动扫描 LUN" + ], + "Auto-login": [ + "自动登录" + ], + "Automatic": [ + "自动" + ], + "Automatic (DHCP)": [ + "自动(DHCP)" + ], + "Automatically calculated size according to the selected product.": [ + "根据选定的产品自动计算大小。" + ], + "Available products": [ + "可用产品" + ], + "Back": [ + "返回" + ], + "Before %s": [ + "变更前为 %s" + ], + "Before installing, please check the following problems.": [ + "进行安装之前,请检查下列问题。" + ], + "Before starting the installation, you need to address the following problems:": [ + "在开始安装前,您需要解决下列问题:" + ], + "Boot partitions at %s": [ + "位于 %s 的启动分区" + ], + "Boot partitions at installation disk": [ + "位于安装磁盘上的启动分区" + ], + "Btrfs root partition with snapshots (%s)": [ + "带快照的 Btrfs 根分区 (%s)" + ], + "Btrfs root volume with snapshots (%s)": [ + "带快照的 Btrfs 根卷 (%s)" + ], + "Btrfs with snapshots": [ + "带快照的 Btrfs" + ], + "Cancel": [ + "取消" + ], + "Cannot accommodate the required file systems for installation": [ + "无法容纳安装所需的文件系统" + ], + "Cannot be changed in remote installation": [ + "无法在远程安装中更改" + ], + "Cannot connect to Agama server": [ + "无法连接到 Agama 服务器" + ], + "Change": [ + "更改" + ], + "Change boot options": [ + "更改启动选项" + ], + "Change location": [ + "更改位置" + ], + "Change product": [ + "更改产品" + ], + "Change selection": [ + "修改选择" + ], + "Change the root password": [ + "修改 Root 密码" + ], + "Channel ID": [ + "通道 ID" + ], + "Check the planned action": [ + "检查 %d 个已计划的操作" + ], + "Choose a disk for placing the boot loader": [ + "选择一个放置引导加载器的磁盘" + ], + "Clear": [ + "清除" + ], + "Close": [ + "关闭" + ], + "Configuring the product, please wait ...": [ + "正在配置产品,请稍候……" + ], + "Confirm": [ + "确认" + ], + "Confirm Installation": [ + "确认安装" + ], + "Congratulations!": [ + "恭喜!" + ], + "Connect": [ + "连接" + ], + "Connect to a Wi-Fi network": [ + "连接到 Wi-Fi 网络" + ], + "Connect to hidden network": [ + "连接到隐藏网络" + ], + "Connect to iSCSI targets": [ + "连接到 iSCSI 目标" + ], + "Connected": [ + "已连接" + ], + "Connected (%s)": [ + "已连接(%s)" + ], + "Connecting": [ + "正在连接" + ], + "Continue": [ + "继续" + ], + "Controllers": [ + "" + ], + "Could not authenticate against the server, please check it.": [ + "无法对服务器进行身份验证,请检查。" + ], + "Could not log in. Please, make sure that the password is correct.": [ + "无法登录。请确保密码输入正确。" + ], + "Create a dedicated LVM volume group": [ + "创建专用 LVM 卷组" + ], + "Create a new partition": [ + "创建新分区" + ], + "Create user": [ + "创建用户" + ], + "Custom": [ + "自定义" + ], + "DASD %s": [ + "DASD %s" + ], + "DIAG": [ + "DIAG" + ], + "DNS": [ + "DNS" + ], + "Deactivate": [ + "停用" + ], + "Deactivated": [ + "已停用" + ], + "Define a user now": [ + "现在设定用户" + ], + "Delete": [ + "删除" + ], + "Delete current content": [ + "删除当前内容" + ], + "Destructive actions are allowed": [ + "允许执行具有破坏性的操作" + ], + "Destructive actions are not allowed": [ + "不允许执行具有破坏性的操作" + ], + "Details": [ + "细节" + ], + "Device": [ + "设备" + ], + "Device selector for new LVM volume group": [ + "新建 LVM 卷组的设备选择器" + ], + "Device selector for target disk": [ + "目标磁盘的设备选择器" + ], + "Devices: %s": [ + "设备:%s" + ], + "Discard": [ + "丢弃" + ], + "Disconnect": [ + "断开连接" + ], + "Disconnected": [ + "已断开连接" + ], + "Discover": [ + "发现" + ], + "Discover iSCSI Targets": [ + "发现 iSCSI 目标" + ], + "Discover iSCSI targets": [ + "发现 iSCSI 目标" + ], + "Disk": [ + "磁盘" + ], + "Disks": [ + "磁盘" + ], + "Do not configure": [ + "不要配置" + ], + "Do not configure partitions for booting": [ + "不要配置用于启动的分区" + ], + "Do you want to add it?": [ + "您是否想要添加它?" + ], + "Do you want to edit it?": [ + "您是否想要编辑它?" + ], + "Download logs": [ + "下载日志" + ], + "Edit": [ + "编辑" + ], + "Edit %s": [ + "编辑 %s" + ], + "Edit %s file system": [ + "编辑 %s 文件系统" + ], + "Edit connection %s": [ + "编辑连接 %s" + ], + "Edit file system": [ + "编辑文件系统" + ], + "Edit iSCSI Initiator": [ + "编辑 iSCSI 发起者" + ], + "Edit password too": [ + "同时编辑密码" + ], + "Edit the SSH Public Key for root": [ + "编辑 root 的 SSH 公钥" + ], + "Edit user": [ + "编辑用户" + ], + "Enable": [ + "启用" + ], + "Encrypt the system": [ + "加密系统" + ], + "Encrypted Device": [ + "已加密设备" + ], + "Encryption": [ + "加密" + ], + "Encryption Password": [ + "加密密码" + ], + "Exact size": [ + "准确大小" + ], + "Exact size for the file system.": [ + "文件系统的准确大小。" + ], + "File system type": [ + "文件系统类型" + ], + "File systems created as new partitions at %s": [ + "已在 %s 上将文件系统创建为新的分区" + ], + "File systems created at a new LVM volume group": [ + "已在新建 LVM 卷组上创建文件系统" + ], + "File systems created at a new LVM volume group on %s": [ + "已在 %s 上新建的 LVM 卷组中创建文件系统" + ], + "Filter by description or keymap code": [ + "按描述或键盘映射代码过滤" + ], + "Filter by language, territory or locale code": [ + "按语言、地区或区域设定代码过滤" + ], + "Filter by max channel": [ + "按最大通道过滤" + ], + "Filter by min channel": [ + "按最小通道过滤" + ], + "Filter by pattern title or description": [ + "按合集名称或描述筛选" + ], + "Filter by territory, time zone code or UTC offset": [ + "按地区、时区代码或 UTC 偏移量过滤" + ], + "Final layout": [ + "最终布局" + ], + "Finish": [ + "完成" + ], + "Finished": [ + "已完成" + ], + "First user": [ + "首个用户" + ], + "Fixed": [ + "固定尺寸" + ], + "Forget": [ + "忘掉" + ], + "Forget connection %s": [ + "忘掉连接 %s" + ], + "Format": [ + "格式化" + ], + "Format the device": [ + "格式化设备" + ], + "Formatted": [ + "已格式化" + ], + "Formatting DASD devices": [ + "正在格式化 DASD 设备" + ], + "Full Disk Encryption (FDE) allows to protect the information stored at the device, including data, programs, and system files.": [ + "全盘加密 (FDE) 允许设备上存储的信息受到保护,包括数据、程序以及系统文件。" + ], + "Full name": [ + "全名" + ], + "Gateway": [ + "网关" + ], + "Gateway can be defined only in 'Manual' mode": [ + "网关只能在“手动”模式下配置" + ], + "GiB": [ + "GiB" + ], + "Hide %d subvolume action": [ + "隐藏 %d 个子卷操作" + ], + "Hide details": [ + "隐藏细节" + ], + "IP Address": [ + "IP 地址" + ], + "IP address": [ + "IP 地址" + ], + "IP addresses": [ + "IP 地址" + ], + "If a local media was used to run this installer, remove it before the next boot.": [ + "如果运行此次安装时使用了本地介质,请在下次启动前移除。" + ], + "If you continue, partitions on your hard disk will be modified according to the provided installation settings.": [ + "如果继续,硬盘上的分区将会根据已提供的安装设置进行修改。" + ], + "In progress": [ + "进行中" + ], + "Incorrect IP address": [ + "不正确的 IP 地址" + ], + "Incorrect password": [ + "密码不正确" + ], + "Incorrect port": [ + "不正确的端口" + ], + "Incorrect user name": [ + "用户名不正确" + ], + "Initiator": [ + "发起者" + ], + "Initiator name": [ + "发起者名称" + ], + "Install": [ + "安装" + ], + "Install in a new Logical Volume Manager (LVM) volume group deleting all the content of the underlying devices": [ + "安装到新的逻辑卷管理器 (LVM) 卷组中,并删除现有设备的全部内容" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s deleting all its content": [ + "安装在 %s 上新建的逻辑卷管理 (LVM) 卷组中,并删除磁盘的现有内容" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s shrinking existing partitions as needed": [ + "安装到 %s 上新建的逻辑卷管理器 (LVM) 卷组中,并在需要时缩小磁盘中现有的分区" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s using a custom strategy to find the needed space": [ + "安装在 %s 上新建的逻辑卷管理 (LVM) 卷组中,并采用自定义策略寻找磁盘上的所需空间" + ], + "Install in a new Logical Volume Manager (LVM) volume group on %s without modifying existing partitions": [ + "安装在 %s 上新建的逻辑卷管理 (LVM) 卷组中,但不修改磁盘中已存在的分区" + ], + "Install in a new Logical Volume Manager (LVM) volume group shrinking existing partitions at the underlying devices as needed": [ + "安装在新的逻辑卷管理器 (LVM) 卷组中, 按需缩小底层设备上的现有分区" + ], + "Install in a new Logical Volume Manager (LVM) volume group using a custom strategy to find the needed space at the underlying devices": [ + "安装到新建的逻辑卷管理器 (LVM) 卷组中,采用自定义策略在当前磁盘上寻找所需空间" + ], + "Install in a new Logical Volume Manager (LVM) volume group without modifying the partitions at the underlying devices": [ + "安装在新的逻辑卷管理器(LVM)卷组中,不更改底层设备上的现有分区" + ], + "Install new system on": [ + "安装新系统到" + ], + "Install using device %s and deleting all its content": [ + "使用设备 %s 进行安装并删除其上的现有内容" + ], + "Install using device %s shrinking existing partitions as needed": [ + "使用设备 %s 进行安装,并在需要时缩小现有的分区" + ], + "Install using device %s with a custom strategy to find the needed space": [ + "使用设备 %s 进行安装,并采用自定义策略寻找所需空间" + ], + "Install using device %s without modifying existing partitions": [ + "使用设备 %s 进行安装且不修改已存在的分区" + ], + "Installation device": [ + "安装设备" + ], + "Installation not possible yet because of issues. Check them at Overview page.": [ + "" + ], + "Installation will configure partitions for booting at %s.": [ + "安装程序将在 %s 上配置启动所需的分区。" + ], + "Installation will configure partitions for booting at the installation disk.": [ + "安装程序将在所选安装磁盘上配置启动所需的分区。" + ], + "Installation will not configure partitions for booting.": [ + "安装程序将不会配置用于启动的分区。" + ], + "Installation will take %s.": [ + "安装将会占用 %s。" + ], + "Installer options": [ + "安装程序选项" + ], + "Interface": [ + "界面" + ], + "Keyboard": [ + "键盘" + ], + "Keyboard layout": [ + "键盘布局" + ], + "Keyboard selection": [ + "键盘选择" + ], + "KiB": [ + "KiB" + ], + "LUN": [ + "LUN" + ], + "Language": [ + "语言" + ], + "Limits for the file system size. The final size will be a value between the given minimum and maximum. If no maximum is given then the file system will be as big as possible.": [ + "文件系统大小的限度。最终大小将会介于此处给定的最小值和最大值之间。如未给定最大值,文件系统将尽可能扩大。" + ], + "Loading data...": [ + "正在读取数据……" + ], + "Loading installation environment, please wait.": [ + "正在载入安装环境,请稍候。" + ], + "Locale selection": [ + "区域选择" + ], + "Localization": [ + "本地化" + ], + "Location": [ + "位置" + ], + "Location for %s file system": [ + "%s 文件系统的位置" + ], + "Log in": [ + "登录" + ], + "Log in as %s": [ + "登录为 %s" + ], + "Logical volume at system LVM": [ + "位于系统 LVM 的逻辑卷" + ], + "Login": [ + "登录" + ], + "Login %s": [ + "登录 %s" + ], + "Login form": [ + "登录表单" + ], + "Logout": [ + "登出" + ], + "Main disk or LVM Volume Group for installation.": [ + "用于安装的主磁盘或 LVM 卷组。" + ], + "Main navigation": [ + "" + ], + "Make sure you provide the correct values": [ + "确保提供了正确的值" + ], + "Manage and format": [ + "管理与格式化" + ], + "Manual": [ + "手动" + ], + "Maximum": [ + "最大" + ], + "Maximum desired size": [ + "所需的最大尺寸" + ], + "Maximum must be greater than minimum": [ + "最大值必须高于最小值" + ], + "Members: %s": [ + "成员:%s" + ], + "Method": [ + "方法" + ], + "MiB": [ + "MiB" + ], + "Minimum": [ + "最小" + ], + "Minimum desired size": [ + "所需最小尺寸" + ], + "Minimum size is required": [ + "需要指定最小尺寸" + ], + "Mode": [ + "模式" + ], + "Modify": [ + "修改" + ], + "More info for file system types": [ + "关于文件系统类型的更多信息" + ], + "Mount %1$s at %2$s (%3$s)": [ + "挂载 %1$s 到 %2$s (%3$s)" + ], + "Mount Point": [ + "挂载点" + ], + "Mount point": [ + "挂载点" + ], + "Mount the file system": [ + "挂载文件系统" + ], + "Multipath": [ + "多路径" + ], + "Name": [ + "名称" + ], + "Network": [ + "网络" + ], + "New": [ + "新建" + ], + "No": [ + "否" + ], + "No Wi-Fi supported": [ + "没有 Wi-Fi 支持" + ], + "No additional software was selected.": [ + "没有选择附加软件。" + ], + "No connected yet": [ + "尚未连接" + ], + "No content found": [ + "未找到内容" + ], + "No device selected yet": [ + "尚未选择设备" + ], + "No iSCSI targets found.": [ + "未找到 iSCSI 目标。" + ], + "No partitions will be automatically configured for booting. Use with caution.": [ + "不会自动配置任何用于启动的分区。请谨慎使用。" + ], + "No root authentication method defined yet.": [ + "尚未设定 Root 认证方法。" + ], + "No user defined yet.": [ + "尚未设定用户。" + ], + "No wired connections found": [ + "未找到有线连接" + ], + "No zFCP controllers found.": [ + "未找到 zFCP 控制器。" + ], + "No zFCP disks found.": [ + "未发现 zFCP 磁盘。" + ], + "None": [ + "无" + ], + "None of the keymaps match the filter.": [ + "没有符合此过滤器的键位映射。" + ], + "None of the locales match the filter.": [ + "没有符合过滤器的区域设置。" + ], + "None of the patterns match the filter.": [ + "没有合集与筛选器匹配。" + ], + "None of the time zones match the filter.": [ + "没有符合过滤器的时区。" + ], + "Not selected yet": [ + "尚未选择" + ], + "Not set": [ + "未设定" + ], + "Offline devices must be activated before formatting them. Please, unselect or activate the devices listed below and try it again": [ + "" + ], + "Offload card": [ + "卸载卡" + ], + "On boot": [ + "开机时" + ], + "Only available if authentication by target is provided": [ + "仅当目标提供身份认证时可用" + ], + "Options toggle": [ + "" + ], + "Other": [ + "其他" + ], + "Overview": [ + "概览" + ], + "Partition Info": [ + "分区信息" + ], + "Partition at %s": [ + "位于 %s 的分区" + ], + "Partition at installation disk": [ + "安装磁盘上的分区" + ], + "Partitions and file systems": [ + "分区与文件系统" + ], + "Partitions to boot will be allocated at the following device.": [ + "引导分区将在以下设备上分配。" + ], + "Partitions to boot will be allocated at the installation disk (%s).": [ + "引导分区将在安装磁盘(%s)上进行分配。" + ], + "Partitions to boot will be allocated at the installation disk.": [ + "引导分区将会分配在安装磁盘上。" + ], + "Password": [ + "密码" + ], + "Password confirmation": [ + "确认密码" + ], + "Password input": [ + "密码输入" + ], + "Password visibility button": [ + "密码可见性按钮" + ], + "Passwords do not match": [ + "密码不匹配" + ], + "Pending": [ + "等待中" + ], + "Perform an action": [ + "执行操作" + ], + "PiB": [ + "PiB" + ], + "Planned Actions": [ + "计划执行的操作" + ], + "Please, be aware that a user must be defined before installing the system to be able to log into it.": [ + "请注意,在安装系统前必须设定用户才能登录。" + ], + "Please, cancel and check the settings if you are unsure.": [ + "如果不确定任何事项,请务必取消并检查已进行的设置。" + ], + "Please, check whether it is running.": [ + "请检查它是否在运行。" + ], + "Please, define at least one authentication method for logging into the system as root.": [ + "请至少设定一个认证方法,以使用 Root 身份登录系统。" + ], + "Please, perform an iSCSI discovery in order to find available iSCSI targets.": [ + "请执行 iSCSI 发现以查找可用的 iSCSI 目标。" + ], + "Please, provide its password to log in to the system.": [ + "请提供其密码以登录系统。" + ], + "Please, review provided settings and try again.": [ + "请回顾之前提供的设定后再试。" + ], + "Please, try to activate a zFCP controller.": [ + "请尝试激活 zFCP 控制器。" + ], + "Please, try to activate a zFCP disk.": [ + "请尝试激活 zFCP 磁盘。" + ], + "Port": [ + "端口" + ], + "Portal": [ + "门户" + ], + "Prefix length or netmask": [ + "前缀长度或掩码" + ], + "Prepare more devices by configuring advanced": [ + "通过高级配置来准备更多设备" + ], + "Presence of other volumes (%s)": [ + "有其他卷存在(%s)" + ], + "Protection for the information stored at the device, including data, programs, and system files.": [ + "保护存储在设备上的信息,包括数据、程序以及系统文件。" + ], + "Question": [ + "问题" + ], + "Range": [ + "按范围计算" + ], + "Read zFCP devices": [ + "读取 zFCP 设备" + ], + "Reboot": [ + "重启" + ], + "Reload": [ + "重载" + ], + "Remove": [ + "移除" + ], + "Remove max channel filter": [ + "移除最大通道过滤器" + ], + "Remove min channel filter": [ + "移除最小通道过滤器" + ], + "Reset location": [ + "重设位置" + ], + "Reset to defaults": [ + "重设为默认" + ], + "Reused %s": [ + "重用 %s" + ], + "Root SSH public key": [ + "Root 的 SSH 公钥" + ], + "Root authentication": [ + "Root 认证" + ], + "Root password": [ + "Root 密码" + ], + "SD Card": [ + "SD 卡" + ], + "SSH Key": [ + "SSH 密钥" + ], + "SSID": [ + "SSID" + ], + "Search": [ + "搜索" + ], + "Security": [ + "安全性" + ], + "See more details": [ + "查看更多细节" + ], + "Select": [ + "选择" + ], + "Select a disk": [ + "选择一个磁盘" + ], + "Select a location": [ + "选择位置" + ], + "Select booting partition": [ + "选择启动分区" + ], + "Select how to allocate the file system": [ + "选择如何分配文件系统" + ], + "Select in which device to allocate the file system": [ + "选择用于分配文件系统的设备" + ], + "Select installation device": [ + "选择安装设备" + ], + "Select what to do with each partition.": [ + "选择对每个分区执行的操作。" + ], + "Selected patterns": [ + "已选择合集" + ], + "Separate LVM at %s": [ + "位于 %s 的单独 LVM" + ], + "Server IP": [ + "服务器 IP" + ], + "Set": [ + "设置" + ], + "Set DIAG Off": [ + "关闭 DIAG" + ], + "Set DIAG On": [ + "开启 DIAG" + ], + "Set a password": [ + "设置密码" + ], + "Set a root password": [ + "设定 Root 密码" + ], + "Set root SSH public key": [ + "设定 root 的 SSH 公钥" + ], + "Show %d subvolume action": [ + "显示 %d 个子卷操作" + ], + "Show partitions and file-systems actions": [ + "显示分区与文件系统操作" + ], + "Shrink existing partitions": [ + "缩小现有分区" + ], + "Shrinking partitions is allowed": [ + "允许缩小分区" + ], + "Shrinking partitions is not allowed": [ + "不允许缩小分区" + ], + "Shrinking some partitions is allowed but not needed": [ + "允许缩小分区,但并非必需" + ], + "Size": [ + "大小" + ], + "Size unit": [ + "大小单位" + ], + "Software": [ + "软件" + ], + "Software %s": [ + "软件 %s" + ], + "Software selection": [ + "软件选择" + ], + "Something went wrong": [ + "出了点问题" + ], + "Space policy": [ + "存储策略" + ], + "Startup": [ + "启动" + ], + "Status": [ + "状态" + ], + "Storage": [ + "存储" + ], + "Storage proposal not possible": [ + "存储建议不可行" + ], + "Structure of the new system, including any additional partition needed for booting": [ + "新文件系统的结构,包含启动所需的任何附加分区" + ], + "Swap at %1$s (%2$s)": [ + "位于 %1$s 上的 Swap (%2$s)" + ], + "Swap partition (%s)": [ + "Swap 分区 (%s)" + ], + "Swap volume (%s)": [ + "Swap 卷 (%s)" + ], + "TPM sealing requires the new system to be booted directly.": [ + "TPM 密封过程要求新系统直接启动。" + ], + "Table with mount points": [ + "挂载点列表" + ], + "Take your time to check your configuration before starting the installation process.": [ + "开始安装进程前,请花些时间检查您的配置。" + ], + "Target Password": [ + "目标密码" + ], + "Targets": [ + "目标" + ], + "The amount of RAM in the system": [ + "系统中的 RAM 数量" + ], + "The configuration of snapshots": [ + "快照配置" + ], + "The content may be deleted": [ + "内容可能会被删除" + ], + "The current file system on %s is selected to be mounted at %s.": [ + "当前位于 %s 上的文件系统已经被选为挂载到 %s。" + ], + "The current file system on the selected device will be mounted without formatting the device.": [ + "选定磁盘上的当前文件系统将被挂载,但不会被格式化。" + ], + "The data is kept, but the current partitions will be resized as needed.": [ + "数据将被保留,但当前分区的大小将会按需调整。" + ], + "The data is kept. Only the space not assigned to any partition will be used.": [ + "数据将被保留。仅使用未分配给任何分区的空间。" + ], + "The device cannot be shrunk:": [ + "" + ], + "The file system is allocated at the device %s.": [ + "文件系统被分配在设备 %s 上。" + ], + "The file system will be allocated as a new partition at the selected disk.": [ + "文件系统将被分配为所选 磁盘上的新分区。" + ], + "The file systems are allocated at the installation device by default. Indicate a custom location to create the file system at a specific device.": [ + "默认情况下,文件系统将被分配到安装设备。选择一个自定义位置以在特定设备上创建文件系统。" + ], + "The file systems will be allocated by default as [logical volumes of a new LVM Volume Group]. The corresponding physical volumes will be created on demand as new partitions at the selected devices.": [ + "默认情况下,文件系统将被分配为[新建 LVM 卷组中的逻辑卷]。相应的物理卷将作为新分区按需创建在所选设备上。" + ], + "The file systems will be allocated by default as [new partitions in the selected device].": [ + "默认情况下,文件系统将被分配为[所选设备上的新分区]。" + ], + "The final size depends on %s.": [ + "最终大小取决于 %s。" + ], + "The final step to configure the Trusted Platform Module (TPM) to automatically open encrypted devices will take place during the first boot of the new system. For that to work, the machine needs to boot directly to the new boot loader.": [ + "配置可信平台模块 (TPM) 以自动开启加密设备的最后一步将在新系统首次启动时进行。为此,本机需要直接启动到新的引导加载程序。" + ], + "The following software patterns are selected for installation:": [ + "下列软件合集已被选择以进行安装:" + ], + "The installation on your machine is complete.": [ + "在您机器上的安装过程已完成。" + ], + "The installation will take": [ + "安装将会占用" + ], + "The installation will take %s including:": [ + "安装将会占用 %s ,包括:" + ], + "The installer requires [root] user privileges.": [ + "安装程序要求 [root] 用户权限。" + ], + "The mount point is invalid": [ + "挂载点无效" + ], + "The options for the file system type depends on the product and the mount point.": [ + "文件系统类型的选项数量取决于产品和挂载点。" + ], + "The password will not be needed to boot and access the data if the TPM can verify the integrity of the system. TPM sealing requires the new system to be booted directly on its first run.": [ + "若 TPM 可以验证系统的完整性,启动和访问数据的时候将无需使用密码。 TPM 密封要求新系统在首次启动时直接开始引导。" + ], + "The selected device will be formatted as %s file system.": [ + "选定的设备将被格式化为 %s 文件系统。" + ], + "The size of the file system cannot be edited": [ + "文件系统的尺寸无法编辑" + ], + "The system does not support Wi-Fi connections, probably because of missing or disabled hardware.": [ + "系统不支持 WiFi 连接,可能由于硬件缺失或已被禁用。" + ], + "The system has not been configured for connecting to a Wi-Fi network yet.": [ + "系统尚未配置为连接到 WiFi 网络。" + ], + "The system will use %s as its default language.": [ + "系统会使用 %s 作为默认语言。" + ], + "The systems will be configured as displayed below.": [ + "系统将按下列选项进行配置。" + ], + "The type and size of the file system cannot be edited.": [ + "文件系统的类型与尺寸无法编辑。" + ], + "The zFCP disk was not activated.": [ + "zFCP 磁盘未激活。" + ], + "There is a predefined file system for %s.": [ + "已存在为 %s 预定义的文件系统。" + ], + "There is already a file system for %s.": [ + "在 %s 上已有文件系统。" + ], + "These are the most relevant installation settings. Feel free to browse the sections in the menu for further details.": [ + "这些是最主要的安装设置。如需获取更详细的信息,请随意浏览菜单中的各节。" + ], + "These limits are affected by:": [ + "这些限制受以下因素影响:" + ], + "This action could destroy any data stored on the devices listed below. Please, confirm that you really want to continue.": [ + "" + ], + "This product does not allow to select software patterns during installation. However, you can add additional software once the installation is finished.": [ + "" + ], + "TiB": [ + "TiB" + ], + "Time zone": [ + "时区" + ], + "To ensure the new system is able to boot, the installer may need to create or configure some partitions in the appropriate disk.": [ + "为确保新系统能够启动,安装程序将需要在适当的磁盘中创建或配置一些分区。" + ], + "Transactional Btrfs": [ + "事务性 Btrfs" + ], + "Transactional Btrfs root partition (%s)": [ + "事务性 Btrfs 根分区 (%s)" + ], + "Transactional Btrfs root volume (%s)": [ + "事务性 Btrfs 根卷 (%s)" + ], + "Transactional root file system": [ + "事务性根文件系统" + ], + "Type": [ + "类型" + ], + "Unit for the maximum size": [ + "最大尺寸的单位" + ], + "Unit for the minimum size": [ + "最小尺寸的单位" + ], + "Unused space": [ + "未使用的空间" + ], + "Up to %s can be recovered by shrinking the device.": [ + "" + ], + "Upload": [ + "上传" + ], + "Upload a SSH Public Key": [ + "上传 SSH 公钥" + ], + "Upload, paste, or drop an SSH public key": [ + "上传、粘贴或拖入 SSH 公钥" + ], + "Usage": [ + "用量" + ], + "Use Btrfs snapshots for the root file system": [ + "为根文件系统使用 Btrfs 快照" + ], + "Use available space": [ + "使用可用空间" + ], + "Use suggested username": [ + "使用建议的用户名" + ], + "Use the Trusted Platform Module (TPM) to decrypt automatically on each boot": [ + "使用可信平台模块 (TPM) 在每次启动时自动解密" + ], + "User full name": [ + "用户全名" + ], + "User name": [ + "用户名" + ], + "Username": [ + "用户名" + ], + "Username suggestion dropdown": [ + "建议用户名下拉列表" + ], + "Users": [ + "用户" + ], + "WPA & WPA2 Personal": [ + "WPA 与 WPA2 个人版" + ], + "WPA Password": [ + "WPA 密码" + ], + "WWPN": [ + "WWPN" + ], + "Waiting": [ + "正在等候" + ], + "Waiting for actions information...": [ + "正在等待操作信息……" + ], + "Waiting for information about storage configuration": [ + "正在等待存储配置信息" + ], + "Wi-Fi": [ + "Wi-Fi" + ], + "Wired": [ + "有线连接" + ], + "Wires: %s": [ + "连线:%s" + ], + "Yes": [ + "是" + ], + "ZFCP": [ + "" + ], + "affecting": [ + "影响到" + ], + "at least %s": [ + "至少 %s" + ], + "auto": [ + "自动" + ], + "auto selected": [ + "自动选择" + ], + "configured": [ + "已配置" + ], + "deleting current content": [ + "通过删除当前内容" + ], + "disabled": [ + "已禁用" + ], + "enabled": [ + "已启用" + ], + "iBFT": [ + "iBFT" + ], + "iSCSI": [ + "iSCSI" + ], + "shrinking partitions": [ + "通过缩小分区" + ], + "storage techs": [ + "存储技术" + ], + "the amount of RAM in the system": [ + "系统中的 RAM 数量" + ], + "the configuration of snapshots": [ + "快照配置" + ], + "the presence of the file system for %s": [ + "在 %s 上存在文件系统" + ], + "user autologin": [ + "用户自动登录" + ], + "using TPM unlocking": [ + "使用 TPM 解锁" + ], + "with custom actions": [ + "通过自定义操作" + ], + "without modifying any partition": [ + "而不修改任何分区" + ], + "zFCP": [ + "zFCP" + ], + "zFCP Disk Activation": [ + "" + ], + "zFCP Disk activation form": [ + "" + ] +}; diff --git a/web/tsconfig.json b/web/tsconfig.json index bc9ff63fb9..6ab7217df1 100644 --- a/web/tsconfig.json +++ b/web/tsconfig.json @@ -1,5 +1,6 @@ { "compilerOptions": { + "module": "ES2022", "baseUrl": "./", "outDir": "dist/", "isolatedModules": true, diff --git a/web/webpack.config.js b/web/webpack.config.js index ac73bbbbe2..983e873ce0 100644 --- a/web/webpack.config.js +++ b/web/webpack.config.js @@ -8,13 +8,11 @@ const CssMinimizerPlugin = require("css-minimizer-webpack-plugin"); const HtmlMinimizerPlugin = require("html-minimizer-webpack-plugin"); const CompressionPlugin = require("compression-webpack-plugin"); const ESLintPlugin = require("eslint-webpack-plugin"); -const CockpitPoPlugin = require("./src/lib/cockpit-po-plugin"); const StylelintPlugin = require("stylelint-webpack-plugin"); const TsconfigPathsPlugin = require("tsconfig-paths-webpack-plugin"); const ReactRefreshWebpackPlugin = require("@pmmmwh/react-refresh-webpack-plugin"); const ReactRefreshTypeScript = require("react-refresh-typescript"); const webpack = require("webpack"); -const po_handler = require("./src/lib/webpack-po-handler"); /* A standard nodejs and webpack pattern */ const production = process.env.NODE_ENV === "production"; @@ -40,21 +38,25 @@ const copy_files = [ "./src/index.html", // TODO: consider using something more complete like https://github.com/jantimon/favicons-webpack-plugin "./src/assets/favicon.svg", + "./src/languages.json", { from: "./src/assets/products/*.svg", to: "assets/logos/[name][ext]" }, ]; const plugins = [ new Copy({ patterns: copy_files }), new Extract({ filename: "[name].css" }), - // the wrapper sets the main code called in the po.js files, - // the PO_DATA tag is replaced by the real translation data - new CockpitPoPlugin({ wrapper: "agama.locale(PO_DATA);" }), development && new ReactRefreshWebpackPlugin({ overlay: false }), // replace the "process.env.WEBPACK_SERVE" text in the source code by // the current value of the environment variable, that variable is set to // "true" when running the development server ("npm run server") // https://webpack.js.org/plugins/environment-plugin/ new webpack.EnvironmentPlugin({ WEBPACK_SERVE: null, LOCAL_CONNECTION: null }), + new webpack.SourceMapDevToolPlugin({ + filename: "[file].map", + // skip the source maps for the translation files, they are twice (!) big as the JS files + // themselves and do not provide any value because there are basically just arrays of texts + exclude: /po-.*\.js$/, + }), ].filter(Boolean); if (eslint) { @@ -101,12 +103,8 @@ module.exports = { entry: { index: ["./src/index.js"], }, - // cockpit.js gets included via